home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / decimal.pyo (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  86KB  |  3,063 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyo (Python 2.4)
  3.  
  4. '''
  5. This is a Py2.3 implementation of decimal floating point arithmetic based on
  6. the General Decimal Arithmetic Specification:
  7.  
  8.     www2.hursley.ibm.com/decimal/decarith.html
  9.  
  10. and IEEE standard 854-1987:
  11.  
  12.     www.cs.berkeley.edu/~ejr/projects/754/private/drafts/854-1987/dir.html
  13.  
  14. Decimal floating point has finite precision with arbitrarily large bounds.
  15.  
  16. The purpose of the module is to support arithmetic using familiar
  17. "schoolhouse" rules and to avoid the some of tricky representation
  18. issues associated with binary floating point.  The package is especially
  19. useful for financial applications or for contexts where users have
  20. expectations that are at odds with binary floating point (for instance,
  21. in binary floating point, 1.00 % 0.1 gives 0.09999999999999995 instead
  22. of the expected Decimal("0.00") returned by decimal floating point).
  23.  
  24. Here are some examples of using the decimal module:
  25.  
  26. >>> from decimal import *
  27. >>> setcontext(ExtendedContext)
  28. >>> Decimal(0)
  29. Decimal("0")
  30. >>> Decimal("1")
  31. Decimal("1")
  32. >>> Decimal("-.0123")
  33. Decimal("-0.0123")
  34. >>> Decimal(123456)
  35. Decimal("123456")
  36. >>> Decimal("123.45e12345678901234567890")
  37. Decimal("1.2345E+12345678901234567892")
  38. >>> Decimal("1.33") + Decimal("1.27")
  39. Decimal("2.60")
  40. >>> Decimal("12.34") + Decimal("3.87") - Decimal("18.41")
  41. Decimal("-2.20")
  42. >>> dig = Decimal(1)
  43. >>> print dig / Decimal(3)
  44. 0.333333333
  45. >>> getcontext().prec = 18
  46. >>> print dig / Decimal(3)
  47. 0.333333333333333333
  48. >>> print dig.sqrt()
  49. 1
  50. >>> print Decimal(3).sqrt()
  51. 1.73205080756887729
  52. >>> print Decimal(3) ** 123
  53. 4.85192780976896427E+58
  54. >>> inf = Decimal(1) / Decimal(0)
  55. >>> print inf
  56. Infinity
  57. >>> neginf = Decimal(-1) / Decimal(0)
  58. >>> print neginf
  59. -Infinity
  60. >>> print neginf + inf
  61. NaN
  62. >>> print neginf * inf
  63. -Infinity
  64. >>> print dig / 0
  65. Infinity
  66. >>> getcontext().traps[DivisionByZero] = 1
  67. >>> print dig / 0
  68. Traceback (most recent call last):
  69.   ...
  70.   ...
  71.   ...
  72. DivisionByZero: x / 0
  73. >>> c = Context()
  74. >>> c.traps[InvalidOperation] = 0
  75. >>> print c.flags[InvalidOperation]
  76. 0
  77. >>> c.divide(Decimal(0), Decimal(0))
  78. Decimal("NaN")
  79. >>> c.traps[InvalidOperation] = 1
  80. >>> print c.flags[InvalidOperation]
  81. 1
  82. >>> c.flags[InvalidOperation] = 0
  83. >>> print c.flags[InvalidOperation]
  84. 0
  85. >>> print c.divide(Decimal(0), Decimal(0))
  86. Traceback (most recent call last):
  87.   ...
  88.   ...
  89.   ...
  90. InvalidOperation: 0 / 0
  91. >>> print c.flags[InvalidOperation]
  92. 1
  93. >>> c.flags[InvalidOperation] = 0
  94. >>> c.traps[InvalidOperation] = 0
  95. >>> print c.divide(Decimal(0), Decimal(0))
  96. NaN
  97. >>> print c.flags[InvalidOperation]
  98. 1
  99. >>>
  100. '''
  101. __all__ = [
  102.     'Decimal',
  103.     'Context',
  104.     'DefaultContext',
  105.     'BasicContext',
  106.     'ExtendedContext',
  107.     'DecimalException',
  108.     'Clamped',
  109.     'InvalidOperation',
  110.     'DivisionByZero',
  111.     'Inexact',
  112.     'Rounded',
  113.     'Subnormal',
  114.     'Overflow',
  115.     'Underflow',
  116.     'ROUND_DOWN',
  117.     'ROUND_HALF_UP',
  118.     'ROUND_HALF_EVEN',
  119.     'ROUND_CEILING',
  120.     'ROUND_FLOOR',
  121.     'ROUND_UP',
  122.     'ROUND_HALF_DOWN',
  123.     'setcontext',
  124.     'getcontext']
  125. import copy as _copy
  126. ROUND_DOWN = 'ROUND_DOWN'
  127. ROUND_HALF_UP = 'ROUND_HALF_UP'
  128. ROUND_HALF_EVEN = 'ROUND_HALF_EVEN'
  129. ROUND_CEILING = 'ROUND_CEILING'
  130. ROUND_FLOOR = 'ROUND_FLOOR'
  131. ROUND_UP = 'ROUND_UP'
  132. ROUND_HALF_DOWN = 'ROUND_HALF_DOWN'
  133. NEVER_ROUND = 'NEVER_ROUND'
  134. ALWAYS_ROUND = 'ALWAYS_ROUND'
  135.  
  136. class DecimalException(ArithmeticError):
  137.     """Base exception class.
  138.  
  139.     Used exceptions derive from this.
  140.     If an exception derives from another exception besides this (such as
  141.     Underflow (Inexact, Rounded, Subnormal) that indicates that it is only
  142.     called if the others are present.  This isn't actually used for
  143.     anything, though.
  144.  
  145.     handle  -- Called when context._raise_error is called and the
  146.                trap_enabler is set.  First argument is self, second is the
  147.                context.  More arguments can be given, those being after
  148.                the explanation in _raise_error (For example,
  149.                context._raise_error(NewError, '(-x)!', self._sign) would
  150.                call NewError().handle(context, self._sign).)
  151.  
  152.     To define a new exception, it should be sufficient to have it derive
  153.     from DecimalException.
  154.     """
  155.     
  156.     def handle(self, context, *args):
  157.         pass
  158.  
  159.  
  160.  
  161. class Clamped(DecimalException):
  162.     '''Exponent of a 0 changed to fit bounds.
  163.  
  164.     This occurs and signals clamped if the exponent of a result has been
  165.     altered in order to fit the constraints of a specific concrete
  166.     representation. This may occur when the exponent of a zero result would
  167.     be outside the bounds of a representation, or  when a large normal
  168.     number would have an encoded exponent that cannot be represented. In
  169.     this latter case, the exponent is reduced to fit and the corresponding
  170.     number of zero digits are appended to the coefficient ("fold-down").
  171.     '''
  172.     pass
  173.  
  174.  
  175. class InvalidOperation(DecimalException):
  176.     '''An invalid operation was performed.
  177.  
  178.     Various bad things cause this:
  179.  
  180.     Something creates a signaling NaN
  181.     -INF + INF
  182.      0 * (+-)INF
  183.      (+-)INF / (+-)INF
  184.     x % 0
  185.     (+-)INF % x
  186.     x._rescale( non-integer )
  187.     sqrt(-x) , x > 0
  188.     0 ** 0
  189.     x ** (non-integer)
  190.     x ** (+-)INF
  191.     An operand is invalid
  192.     '''
  193.     
  194.     def handle(self, context, *args):
  195.         if args:
  196.             if args[0] == 1:
  197.                 return Decimal((args[1]._sign, args[1]._int, 'n'))
  198.             
  199.         
  200.         return NaN
  201.  
  202.  
  203.  
  204. class ConversionSyntax(InvalidOperation):
  205.     '''Trying to convert badly formed string.
  206.  
  207.     This occurs and signals invalid-operation if an string is being
  208.     converted to a number and it does not conform to the numeric string
  209.     syntax. The result is [0,qNaN].
  210.     '''
  211.     
  212.     def handle(self, context, *args):
  213.         return (0, (0,), 'n')
  214.  
  215.  
  216.  
  217. class DivisionByZero(DecimalException, ZeroDivisionError):
  218.     '''Division by 0.
  219.  
  220.     This occurs and signals division-by-zero if division of a finite number
  221.     by zero was attempted (during a divide-integer or divide operation, or a
  222.     power operation with negative right-hand operand), and the dividend was
  223.     not zero.
  224.  
  225.     The result of the operation is [sign,inf], where sign is the exclusive
  226.     or of the signs of the operands for divide, or is 1 for an odd power of
  227.     -0, for power.
  228.     '''
  229.     
  230.     def handle(self, context, sign, double = None, *args):
  231.         if double is not None:
  232.             return (Infsign[sign],) * 2
  233.         
  234.         return Infsign[sign]
  235.  
  236.  
  237.  
  238. class DivisionImpossible(InvalidOperation):
  239.     '''Cannot perform the division adequately.
  240.  
  241.     This occurs and signals invalid-operation if the integer result of a
  242.     divide-integer or remainder operation had too many digits (would be
  243.     longer than precision). The result is [0,qNaN].
  244.     '''
  245.     
  246.     def handle(self, context, *args):
  247.         return (NaN, NaN)
  248.  
  249.  
  250.  
  251. class DivisionUndefined(InvalidOperation, ZeroDivisionError):
  252.     '''Undefined result of division.
  253.  
  254.     This occurs and signals invalid-operation if division by zero was
  255.     attempted (during a divide-integer, divide, or remainder operation), and
  256.     the dividend is also zero. The result is [0,qNaN].
  257.     '''
  258.     
  259.     def handle(self, context, tup = None, *args):
  260.         if tup is not None:
  261.             return (NaN, NaN)
  262.         
  263.         return NaN
  264.  
  265.  
  266.  
  267. class Inexact(DecimalException):
  268.     '''Had to round, losing information.
  269.  
  270.     This occurs and signals inexact whenever the result of an operation is
  271.     not exact (that is, it needed to be rounded and any discarded digits
  272.     were non-zero), or if an overflow or underflow condition occurs. The
  273.     result in all cases is unchanged.
  274.  
  275.     The inexact signal may be tested (or trapped) to determine if a given
  276.     operation (or sequence of operations) was inexact.
  277.     '''
  278.     pass
  279.  
  280.  
  281. class InvalidContext(InvalidOperation):
  282.     '''Invalid context.  Unknown rounding, for example.
  283.  
  284.     This occurs and signals invalid-operation if an invalid context was
  285.     detected during an operation. This can occur if contexts are not checked
  286.     on creation and either the precision exceeds the capability of the
  287.     underlying concrete representation or an unknown or unsupported rounding
  288.     was specified. These aspects of the context need only be checked when
  289.     the values are required to be used. The result is [0,qNaN].
  290.     '''
  291.     
  292.     def handle(self, context, *args):
  293.         return NaN
  294.  
  295.  
  296.  
  297. class Rounded(DecimalException):
  298.     '''Number got rounded (not  necessarily changed during rounding).
  299.  
  300.     This occurs and signals rounded whenever the result of an operation is
  301.     rounded (that is, some zero or non-zero digits were discarded from the
  302.     coefficient), or if an overflow or underflow condition occurs. The
  303.     result in all cases is unchanged.
  304.  
  305.     The rounded signal may be tested (or trapped) to determine if a given
  306.     operation (or sequence of operations) caused a loss of precision.
  307.     '''
  308.     pass
  309.  
  310.  
  311. class Subnormal(DecimalException):
  312.     '''Exponent < Emin before rounding.
  313.  
  314.     This occurs and signals subnormal whenever the result of a conversion or
  315.     operation is subnormal (that is, its adjusted exponent is less than
  316.     Emin, before any rounding). The result in all cases is unchanged.
  317.  
  318.     The subnormal signal may be tested (or trapped) to determine if a given
  319.     or operation (or sequence of operations) yielded a subnormal result.
  320.     '''
  321.     pass
  322.  
  323.  
  324. class Overflow(Inexact, Rounded):
  325.     '''Numerical overflow.
  326.  
  327.     This occurs and signals overflow if the adjusted exponent of a result
  328.     (from a conversion or from an operation that is not an attempt to divide
  329.     by zero), after rounding, would be greater than the largest value that
  330.     can be handled by the implementation (the value Emax).
  331.  
  332.     The result depends on the rounding mode:
  333.  
  334.     For round-half-up and round-half-even (and for round-half-down and
  335.     round-up, if implemented), the result of the operation is [sign,inf],
  336.     where sign is the sign of the intermediate result. For round-down, the
  337.     result is the largest finite number that can be represented in the
  338.     current precision, with the sign of the intermediate result. For
  339.     round-ceiling, the result is the same as for round-down if the sign of
  340.     the intermediate result is 1, or is [0,inf] otherwise. For round-floor,
  341.     the result is the same as for round-down if the sign of the intermediate
  342.     result is 0, or is [1,inf] otherwise. In all cases, Inexact and Rounded
  343.     will also be raised.
  344.    '''
  345.     
  346.     def handle(self, context, sign, *args):
  347.         if context.rounding in (ROUND_HALF_UP, ROUND_HALF_EVEN, ROUND_HALF_DOWN, ROUND_UP):
  348.             return Infsign[sign]
  349.         
  350.         if sign == 0:
  351.             if context.rounding == ROUND_CEILING:
  352.                 return Infsign[sign]
  353.             
  354.             return Decimal((sign, (9,) * context.prec, (context.Emax - context.prec) + 1))
  355.         
  356.         if sign == 1:
  357.             if context.rounding == ROUND_FLOOR:
  358.                 return Infsign[sign]
  359.             
  360.             return Decimal((sign, (9,) * context.prec, (context.Emax - context.prec) + 1))
  361.         
  362.  
  363.  
  364.  
  365. class Underflow(Inexact, Rounded, Subnormal):
  366.     '''Numerical underflow with result rounded to 0.
  367.  
  368.     This occurs and signals underflow if a result is inexact and the
  369.     adjusted exponent of the result would be smaller (more negative) than
  370.     the smallest value that can be handled by the implementation (the value
  371.     Emin). That is, the result is both inexact and subnormal.
  372.  
  373.     The result after an underflow will be a subnormal number rounded, if
  374.     necessary, so that its exponent is not less than Etiny. This may result
  375.     in 0 with the sign of the intermediate result and an exponent of Etiny.
  376.  
  377.     In all cases, Inexact, Rounded, and Subnormal will also be raised.
  378.     '''
  379.     pass
  380.  
  381. _signals = [
  382.     Clamped,
  383.     DivisionByZero,
  384.     Inexact,
  385.     Overflow,
  386.     Rounded,
  387.     Underflow,
  388.     InvalidOperation,
  389.     Subnormal]
  390. _condition_map = {
  391.     ConversionSyntax: InvalidOperation,
  392.     DivisionImpossible: InvalidOperation,
  393.     DivisionUndefined: InvalidOperation,
  394.     InvalidContext: InvalidOperation }
  395.  
  396. try:
  397.     import threading
  398. except ImportError:
  399.     import sys
  400.     
  401.     class MockThreading:
  402.         
  403.         def local(self, sys = sys):
  404.             return sys.modules[__name__]
  405.  
  406.  
  407.     threading = MockThreading()
  408.     del sys
  409.     del MockThreading
  410.  
  411.  
  412. try:
  413.     threading.local
  414. except AttributeError:
  415.     if hasattr(threading.currentThread(), '__decimal_context__'):
  416.         del threading.currentThread().__decimal_context__
  417.     
  418.     
  419.     def setcontext(context):
  420.         """Set this thread's context to context."""
  421.         if context in (DefaultContext, BasicContext, ExtendedContext):
  422.             context = context.copy()
  423.             context.clear_flags()
  424.         
  425.         threading.currentThread().__decimal_context__ = context
  426.  
  427.     
  428.     def getcontext():
  429.         """Returns this thread's context.
  430.  
  431.         If this thread does not yet have a context, returns
  432.         a new context and sets this thread's context.
  433.         New contexts are copies of DefaultContext.
  434.         """
  435.         
  436.         try:
  437.             return threading.currentThread().__decimal_context__
  438.         except AttributeError:
  439.             context = Context()
  440.             threading.currentThread().__decimal_context__ = context
  441.             return context
  442.  
  443.  
  444.  
  445. local = threading.local()
  446. if hasattr(local, '__decimal_context__'):
  447.     del local.__decimal_context__
  448.  
  449.  
  450. def getcontext(_local = local):
  451.     """Returns this thread's context.
  452.  
  453.         If this thread does not yet have a context, returns
  454.         a new context and sets this thread's context.
  455.         New contexts are copies of DefaultContext.
  456.         """
  457.     
  458.     try:
  459.         return _local.__decimal_context__
  460.     except AttributeError:
  461.         context = Context()
  462.         _local.__decimal_context__ = context
  463.         return context
  464.  
  465.  
  466.  
  467. def setcontext(context, _local = local):
  468.     """Set this thread's context to context."""
  469.     if context in (DefaultContext, BasicContext, ExtendedContext):
  470.         context = context.copy()
  471.         context.clear_flags()
  472.     
  473.     _local.__decimal_context__ = context
  474.  
  475. del threading
  476. del local
  477.  
  478. class Decimal(object):
  479.     '''Floating point class for decimal arithmetic.'''
  480.     __slots__ = ('_exp', '_int', '_sign', '_is_special')
  481.     
  482.     def __new__(cls, value = '0', context = None):
  483.         '''Create a decimal point instance.
  484.  
  485.         >>> Decimal(\'3.14\')              # string input
  486.         Decimal("3.14")
  487.         >>> Decimal((0, (3, 1, 4), -2))  # tuple input (sign, digit_tuple, exponent)
  488.         Decimal("3.14")
  489.         >>> Decimal(314)                 # int or long
  490.         Decimal("314")
  491.         >>> Decimal(Decimal(314))        # another decimal instance
  492.         Decimal("314")
  493.         '''
  494.         self = object.__new__(cls)
  495.         self._is_special = False
  496.         if isinstance(value, _WorkRep):
  497.             self._sign = value.sign
  498.             self._int = tuple(map(int, str(value.int)))
  499.             self._exp = int(value.exp)
  500.             return self
  501.         
  502.         if isinstance(value, Decimal):
  503.             self._exp = value._exp
  504.             self._sign = value._sign
  505.             self._int = value._int
  506.             self._is_special = value._is_special
  507.             return self
  508.         
  509.         if isinstance(value, (int, long)):
  510.             if value >= 0:
  511.                 self._sign = 0
  512.             else:
  513.                 self._sign = 1
  514.             self._exp = 0
  515.             self._int = tuple(map(int, str(abs(value))))
  516.             return self
  517.         
  518.         if isinstance(value, (list, tuple)):
  519.             if len(value) != 3:
  520.                 raise ValueError, 'Invalid arguments'
  521.             
  522.             if value[0] not in (0, 1):
  523.                 raise ValueError, 'Invalid sign'
  524.             
  525.             for digit in value[1]:
  526.                 if not isinstance(digit, (int, long)) or digit < 0:
  527.                     raise ValueError, 'The second value in the tuple must be composed of non negative integer elements.'
  528.                     continue
  529.             
  530.             self._sign = value[0]
  531.             self._int = tuple(value[1])
  532.             if value[2] in ('F', 'n', 'N'):
  533.                 self._exp = value[2]
  534.                 self._is_special = True
  535.             else:
  536.                 self._exp = int(value[2])
  537.             return self
  538.         
  539.         if isinstance(value, float):
  540.             raise TypeError('Cannot convert float to Decimal.  ' + 'First convert the float to a string')
  541.         
  542.         if context is None:
  543.             context = getcontext()
  544.         
  545.         if isinstance(value, basestring):
  546.             if _isinfinity(value):
  547.                 self._exp = 'F'
  548.                 self._int = (0,)
  549.                 self._is_special = True
  550.                 if _isinfinity(value) == 1:
  551.                     self._sign = 0
  552.                 else:
  553.                     self._sign = 1
  554.                 return self
  555.             
  556.             if _isnan(value):
  557.                 (sig, sign, diag) = _isnan(value)
  558.                 self._is_special = True
  559.                 if len(diag) > context.prec:
  560.                     (self._sign, self._int, self._exp) = context._raise_error(ConversionSyntax)
  561.                     return self
  562.                 
  563.                 if sig == 1:
  564.                     self._exp = 'n'
  565.                 else:
  566.                     self._exp = 'N'
  567.                 self._sign = sign
  568.                 self._int = tuple(map(int, diag))
  569.                 return self
  570.             
  571.             
  572.             try:
  573.                 (self._sign, self._int, self._exp) = _string2exact(value)
  574.             except ValueError:
  575.                 self._is_special = True
  576.                 (self._sign, self._int, self._exp) = context._raise_error(ConversionSyntax)
  577.  
  578.             return self
  579.         
  580.         raise TypeError('Cannot convert %r to Decimal' % value)
  581.  
  582.     
  583.     def _isnan(self):
  584.         '''Returns whether the number is not actually one.
  585.  
  586.         0 if a number
  587.         1 if NaN
  588.         2 if sNaN
  589.         '''
  590.         if self._is_special:
  591.             exp = self._exp
  592.             if exp == 'n':
  593.                 return 1
  594.             elif exp == 'N':
  595.                 return 2
  596.             
  597.         
  598.         return 0
  599.  
  600.     
  601.     def _isinfinity(self):
  602.         '''Returns whether the number is infinite
  603.  
  604.         0 if finite or not a number
  605.         1 if +INF
  606.         -1 if -INF
  607.         '''
  608.         if self._exp == 'F':
  609.             if self._sign:
  610.                 return -1
  611.             
  612.             return 1
  613.         
  614.         return 0
  615.  
  616.     
  617.     def _check_nans(self, other = None, context = None):
  618.         '''Returns whether the number is not actually one.
  619.  
  620.         if self, other are sNaN, signal
  621.         if self, other are NaN return nan
  622.         return 0
  623.  
  624.         Done before operations.
  625.         '''
  626.         self_is_nan = self._isnan()
  627.         if other is None:
  628.             other_is_nan = False
  629.         else:
  630.             other_is_nan = other._isnan()
  631.         if self_is_nan or other_is_nan:
  632.             if context is None:
  633.                 context = getcontext()
  634.             
  635.             if self_is_nan == 2:
  636.                 return context._raise_error(InvalidOperation, 'sNaN', 1, self)
  637.             
  638.             if other_is_nan == 2:
  639.                 return context._raise_error(InvalidOperation, 'sNaN', 1, other)
  640.             
  641.             if self_is_nan:
  642.                 return self
  643.             
  644.             return other
  645.         
  646.         return 0
  647.  
  648.     
  649.     def __nonzero__(self):
  650.         '''Is the number non-zero?
  651.  
  652.         0 if self == 0
  653.         1 if self != 0
  654.         '''
  655.         if self._is_special:
  656.             return 1
  657.         
  658.         return sum(self._int) != 0
  659.  
  660.     
  661.     def __cmp__(self, other, context = None):
  662.         other = _convert_other(other)
  663.         if other is NotImplemented:
  664.             return other
  665.         
  666.         if self._is_special or other._is_special:
  667.             ans = self._check_nans(other, context)
  668.             if ans:
  669.                 return 1
  670.             
  671.             return cmp(self._isinfinity(), other._isinfinity())
  672.         
  673.         if not self and not other:
  674.             return 0
  675.         
  676.         if other._sign < self._sign:
  677.             return -1
  678.         
  679.         if self._sign < other._sign:
  680.             return 1
  681.         
  682.         self_adjusted = self.adjusted()
  683.         other_adjusted = other.adjusted()
  684.         if self_adjusted == other_adjusted and self._int + (0,) * (self._exp - other._exp) == other._int + (0,) * (other._exp - self._exp):
  685.             return 0
  686.         elif self_adjusted > other_adjusted and self._int[0] != 0:
  687.             return -1 ** self._sign
  688.         elif self_adjusted < other_adjusted and other._int[0] != 0:
  689.             return --1 ** self._sign
  690.         
  691.         if context is None:
  692.             context = getcontext()
  693.         
  694.         context = context._shallow_copy()
  695.         rounding = context._set_rounding(ROUND_UP)
  696.         flags = context._ignore_all_flags()
  697.         res = self.__sub__(other, context = context)
  698.         context._regard_flags(*flags)
  699.         context.rounding = rounding
  700.         if not res:
  701.             return 0
  702.         elif res._sign:
  703.             return -1
  704.         
  705.         return 1
  706.  
  707.     
  708.     def __eq__(self, other):
  709.         if not isinstance(other, (Decimal, int, long)):
  710.             return NotImplemented
  711.         
  712.         return self.__cmp__(other) == 0
  713.  
  714.     
  715.     def __ne__(self, other):
  716.         if not isinstance(other, (Decimal, int, long)):
  717.             return NotImplemented
  718.         
  719.         return self.__cmp__(other) != 0
  720.  
  721.     
  722.     def compare(self, other, context = None):
  723.         '''Compares one to another.
  724.  
  725.         -1 => a < b
  726.         0  => a = b
  727.         1  => a > b
  728.         NaN => one is NaN
  729.         Like __cmp__, but returns Decimal instances.
  730.         '''
  731.         other = _convert_other(other)
  732.         if other is NotImplemented:
  733.             return other
  734.         
  735.         if (self._is_special or other) and other._is_special:
  736.             ans = self._check_nans(other, context)
  737.             if ans:
  738.                 return ans
  739.             
  740.         
  741.         return Decimal(self.__cmp__(other, context))
  742.  
  743.     
  744.     def __hash__(self):
  745.         '''x.__hash__() <==> hash(x)'''
  746.         if self._is_special:
  747.             if self._isnan():
  748.                 raise TypeError('Cannot hash a NaN value.')
  749.             
  750.             return hash(str(self))
  751.         
  752.         i = int(self)
  753.         if self == Decimal(i):
  754.             return hash(i)
  755.         
  756.         return hash(str(self.normalize()))
  757.  
  758.     
  759.     def as_tuple(self):
  760.         '''Represents the number as a triple tuple.
  761.  
  762.         To show the internals exactly as they are.
  763.         '''
  764.         return (self._sign, self._int, self._exp)
  765.  
  766.     
  767.     def __repr__(self):
  768.         '''Represents the number as an instance of Decimal.'''
  769.         return 'Decimal("%s")' % str(self)
  770.  
  771.     
  772.     def __str__(self, eng = 0, context = None):
  773.         '''Return string representation of the number in scientific notation.
  774.  
  775.         Captures all of the information in the underlying representation.
  776.         '''
  777.         if self._is_special:
  778.             if self._isnan():
  779.                 minus = '-' * self._sign
  780.                 if self._int == (0,):
  781.                     info = ''
  782.                 else:
  783.                     info = ''.join(map(str, self._int))
  784.                 if self._isnan() == 2:
  785.                     return minus + 'sNaN' + info
  786.                 
  787.                 return minus + 'NaN' + info
  788.             
  789.             if self._isinfinity():
  790.                 minus = '-' * self._sign
  791.                 return minus + 'Infinity'
  792.             
  793.         
  794.         if context is None:
  795.             context = getcontext()
  796.         
  797.         tmp = map(str, self._int)
  798.         numdigits = len(self._int)
  799.         leftdigits = self._exp + numdigits
  800.         if eng and not self:
  801.             if self._exp < 0 and self._exp >= -6:
  802.                 s = '-' * self._sign + '0.' + '0' * abs(self._exp)
  803.                 return s
  804.             
  805.             exp = ((self._exp - 1) // 3 + 1) * 3
  806.             if exp != self._exp:
  807.                 s = '0.' + '0' * (exp - self._exp)
  808.             else:
  809.                 s = '0'
  810.             if exp != 0:
  811.                 if context.capitals:
  812.                     s += 'E'
  813.                 else:
  814.                     s += 'e'
  815.                 if exp > 0:
  816.                     s += '+'
  817.                 
  818.                 s += str(exp)
  819.             
  820.             s = '-' * self._sign + s
  821.             return s
  822.         
  823.         if eng:
  824.             dotplace = (leftdigits - 1) % 3 + 1
  825.             adjexp = leftdigits - 1 - (leftdigits - 1) % 3
  826.         else:
  827.             adjexp = leftdigits - 1
  828.             dotplace = 1
  829.         if self._exp == 0:
  830.             pass
  831.         elif self._exp < 0 and adjexp >= 0:
  832.             tmp.insert(leftdigits, '.')
  833.         elif self._exp < 0 and adjexp >= -6:
  834.             tmp[0:0] = [
  835.                 '0'] * int(-leftdigits)
  836.             tmp.insert(0, '0.')
  837.         elif numdigits > dotplace:
  838.             tmp.insert(dotplace, '.')
  839.         elif numdigits < dotplace:
  840.             tmp.extend([
  841.                 '0'] * (dotplace - numdigits))
  842.         
  843.         if adjexp:
  844.             if not context.capitals:
  845.                 tmp.append('e')
  846.             else:
  847.                 tmp.append('E')
  848.                 if adjexp > 0:
  849.                     tmp.append('+')
  850.                 
  851.             tmp.append(str(adjexp))
  852.         
  853.         if eng:
  854.             while tmp[0:1] == [
  855.                 '0']:
  856.                 tmp[0:1] = []
  857.             if len(tmp) == 0 and tmp[0] == '.' or tmp[0].lower() == 'e':
  858.                 tmp[0:0] = [
  859.                     '0']
  860.             
  861.         
  862.         if self._sign:
  863.             tmp.insert(0, '-')
  864.         
  865.         return ''.join(tmp)
  866.  
  867.     
  868.     def to_eng_string(self, context = None):
  869.         '''Convert to engineering-type string.
  870.  
  871.         Engineering notation has an exponent which is a multiple of 3, so there
  872.         are up to 3 digits left of the decimal place.
  873.  
  874.         Same rules for when in exponential and when as a value as in __str__.
  875.         '''
  876.         return self.__str__(eng = 1, context = context)
  877.  
  878.     
  879.     def __neg__(self, context = None):
  880.         '''Returns a copy with the sign switched.
  881.  
  882.         Rounds, if it has reason.
  883.         '''
  884.         if self._is_special:
  885.             ans = self._check_nans(context = context)
  886.             if ans:
  887.                 return ans
  888.             
  889.         
  890.         if not self:
  891.             sign = 0
  892.         elif self._sign:
  893.             sign = 0
  894.         else:
  895.             sign = 1
  896.         if context is None:
  897.             context = getcontext()
  898.         
  899.         if context._rounding_decision == ALWAYS_ROUND:
  900.             return Decimal((sign, self._int, self._exp))._fix(context)
  901.         
  902.         return Decimal((sign, self._int, self._exp))
  903.  
  904.     
  905.     def __pos__(self, context = None):
  906.         '''Returns a copy, unless it is a sNaN.
  907.  
  908.         Rounds the number (if more then precision digits)
  909.         '''
  910.         if self._is_special:
  911.             ans = self._check_nans(context = context)
  912.             if ans:
  913.                 return ans
  914.             
  915.         
  916.         sign = self._sign
  917.         if not self:
  918.             sign = 0
  919.         
  920.         if context is None:
  921.             context = getcontext()
  922.         
  923.         if context._rounding_decision == ALWAYS_ROUND:
  924.             ans = self._fix(context)
  925.         else:
  926.             ans = Decimal(self)
  927.         ans._sign = sign
  928.         return ans
  929.  
  930.     
  931.     def __abs__(self, round = 1, context = None):
  932.         '''Returns the absolute value of self.
  933.  
  934.         If the second argument is 0, do not round.
  935.         '''
  936.         if self._is_special:
  937.             ans = self._check_nans(context = context)
  938.             if ans:
  939.                 return ans
  940.             
  941.         
  942.         if not round:
  943.             if context is None:
  944.                 context = getcontext()
  945.             
  946.             context = context._shallow_copy()
  947.             context._set_rounding_decision(NEVER_ROUND)
  948.         
  949.         if self._sign:
  950.             ans = self.__neg__(context = context)
  951.         else:
  952.             ans = self.__pos__(context = context)
  953.         return ans
  954.  
  955.     
  956.     def __add__(self, other, context = None):
  957.         '''Returns self + other.
  958.  
  959.         -INF + INF (or the reverse) cause InvalidOperation errors.
  960.         '''
  961.         other = _convert_other(other)
  962.         if other is NotImplemented:
  963.             return other
  964.         
  965.         if context is None:
  966.             context = getcontext()
  967.         
  968.         if self._is_special or other._is_special:
  969.             ans = self._check_nans(other, context)
  970.             if ans:
  971.                 return ans
  972.             
  973.             if self._isinfinity():
  974.                 if self._sign != other._sign and other._isinfinity():
  975.                     return context._raise_error(InvalidOperation, '-INF + INF')
  976.                 
  977.                 return Decimal(self)
  978.             
  979.             if other._isinfinity():
  980.                 return Decimal(other)
  981.             
  982.         
  983.         shouldround = context._rounding_decision == ALWAYS_ROUND
  984.         exp = min(self._exp, other._exp)
  985.         negativezero = 0
  986.         if context.rounding == ROUND_FLOOR and self._sign != other._sign:
  987.             negativezero = 1
  988.         
  989.         if not self and not other:
  990.             sign = min(self._sign, other._sign)
  991.             if negativezero:
  992.                 sign = 1
  993.             
  994.             return Decimal((sign, (0,), exp))
  995.         
  996.         if not self:
  997.             exp = max(exp, other._exp - context.prec - 1)
  998.             ans = other._rescale(exp, watchexp = 0, context = context)
  999.             if shouldround:
  1000.                 ans = ans._fix(context)
  1001.             
  1002.             return ans
  1003.         
  1004.         if not other:
  1005.             exp = max(exp, self._exp - context.prec - 1)
  1006.             ans = self._rescale(exp, watchexp = 0, context = context)
  1007.             if shouldround:
  1008.                 ans = ans._fix(context)
  1009.             
  1010.             return ans
  1011.         
  1012.         op1 = _WorkRep(self)
  1013.         op2 = _WorkRep(other)
  1014.         (op1, op2) = _normalize(op1, op2, shouldround, context.prec)
  1015.         result = _WorkRep()
  1016.         if op1.sign != op2.sign:
  1017.             if op1.int == op2.int:
  1018.                 if exp < context.Etiny():
  1019.                     exp = context.Etiny()
  1020.                     context._raise_error(Clamped)
  1021.                 
  1022.                 return Decimal((negativezero, (0,), exp))
  1023.             
  1024.             if op1.int < op2.int:
  1025.                 op1 = op2
  1026.                 op2 = op1
  1027.             
  1028.             if op1.sign == 1:
  1029.                 result.sign = 1
  1030.                 op1.sign = op2.sign
  1031.                 op2.sign = op1.sign
  1032.             else:
  1033.                 result.sign = 0
  1034.         elif op1.sign == 1:
  1035.             result.sign = 1
  1036.             (op1.sign, op2.sign) = (0, 0)
  1037.         else:
  1038.             result.sign = 0
  1039.         if op2.sign == 0:
  1040.             result.int = op1.int + op2.int
  1041.         else:
  1042.             result.int = op1.int - op2.int
  1043.         result.exp = op1.exp
  1044.         ans = Decimal(result)
  1045.         if shouldround:
  1046.             ans = ans._fix(context)
  1047.         
  1048.         return ans
  1049.  
  1050.     __radd__ = __add__
  1051.     
  1052.     def __sub__(self, other, context = None):
  1053.         '''Return self + (-other)'''
  1054.         other = _convert_other(other)
  1055.         if other is NotImplemented:
  1056.             return other
  1057.         
  1058.         if self._is_special or other._is_special:
  1059.             ans = self._check_nans(other, context = context)
  1060.             if ans:
  1061.                 return ans
  1062.             
  1063.         
  1064.         tmp = Decimal(other)
  1065.         tmp._sign = 1 - tmp._sign
  1066.         return self.__add__(tmp, context = context)
  1067.  
  1068.     
  1069.     def __rsub__(self, other, context = None):
  1070.         '''Return other + (-self)'''
  1071.         other = _convert_other(other)
  1072.         if other is NotImplemented:
  1073.             return other
  1074.         
  1075.         tmp = Decimal(self)
  1076.         tmp._sign = 1 - tmp._sign
  1077.         return other.__add__(tmp, context = context)
  1078.  
  1079.     
  1080.     def _increment(self, round = 1, context = None):
  1081.         """Special case of add, adding 1eExponent
  1082.  
  1083.         Since it is common, (rounding, for example) this adds
  1084.         (sign)*one E self._exp to the number more efficiently than add.
  1085.  
  1086.         For example:
  1087.         Decimal('5.624e10')._increment() == Decimal('5.625e10')
  1088.         """
  1089.         if self._is_special:
  1090.             ans = self._check_nans(context = context)
  1091.             if ans:
  1092.                 return ans
  1093.             
  1094.             return Decimal(self)
  1095.         
  1096.         L = list(self._int)
  1097.         L[-1] += 1
  1098.         spot = len(L) - 1
  1099.         while L[spot] == 10:
  1100.             L[spot] = 0
  1101.             if spot == 0:
  1102.                 L[0:0] = [
  1103.                     1]
  1104.                 break
  1105.             
  1106.             L[spot - 1] += 1
  1107.             spot -= 1
  1108.         ans = Decimal((self._sign, L, self._exp))
  1109.         if context is None:
  1110.             context = getcontext()
  1111.         
  1112.         if round and context._rounding_decision == ALWAYS_ROUND:
  1113.             ans = ans._fix(context)
  1114.         
  1115.         return ans
  1116.  
  1117.     
  1118.     def __mul__(self, other, context = None):
  1119.         '''Return self * other.
  1120.  
  1121.         (+-) INF * 0 (or its reverse) raise InvalidOperation.
  1122.         '''
  1123.         other = _convert_other(other)
  1124.         if other is NotImplemented:
  1125.             return other
  1126.         
  1127.         if context is None:
  1128.             context = getcontext()
  1129.         
  1130.         resultsign = self._sign ^ other._sign
  1131.         if self._is_special or other._is_special:
  1132.             ans = self._check_nans(other, context)
  1133.             if ans:
  1134.                 return ans
  1135.             
  1136.             if self._isinfinity():
  1137.                 if not other:
  1138.                     return context._raise_error(InvalidOperation, '(+-)INF * 0')
  1139.                 
  1140.                 return Infsign[resultsign]
  1141.             
  1142.             if other._isinfinity():
  1143.                 if not self:
  1144.                     return context._raise_error(InvalidOperation, '0 * (+-)INF')
  1145.                 
  1146.                 return Infsign[resultsign]
  1147.             
  1148.         
  1149.         resultexp = self._exp + other._exp
  1150.         shouldround = context._rounding_decision == ALWAYS_ROUND
  1151.         if not self or not other:
  1152.             ans = Decimal((resultsign, (0,), resultexp))
  1153.             if shouldround:
  1154.                 ans = ans._fix(context)
  1155.             
  1156.             return ans
  1157.         
  1158.         if self._int == (1,):
  1159.             ans = Decimal((resultsign, other._int, resultexp))
  1160.             if shouldround:
  1161.                 ans = ans._fix(context)
  1162.             
  1163.             return ans
  1164.         
  1165.         if other._int == (1,):
  1166.             ans = Decimal((resultsign, self._int, resultexp))
  1167.             if shouldround:
  1168.                 ans = ans._fix(context)
  1169.             
  1170.             return ans
  1171.         
  1172.         op1 = _WorkRep(self)
  1173.         op2 = _WorkRep(other)
  1174.         ans = Decimal((resultsign, map(int, str(op1.int * op2.int)), resultexp))
  1175.         if shouldround:
  1176.             ans = ans._fix(context)
  1177.         
  1178.         return ans
  1179.  
  1180.     __rmul__ = __mul__
  1181.     
  1182.     def __div__(self, other, context = None):
  1183.         '''Return self / other.'''
  1184.         return self._divide(other, context = context)
  1185.  
  1186.     __truediv__ = __div__
  1187.     
  1188.     def _divide(self, other, divmod = 0, context = None):
  1189.         '''Return a / b, to context.prec precision.
  1190.  
  1191.         divmod:
  1192.         0 => true division
  1193.         1 => (a //b, a%b)
  1194.         2 => a //b
  1195.         3 => a%b
  1196.  
  1197.         Actually, if divmod is 2 or 3 a tuple is returned, but errors for
  1198.         computing the other value are not raised.
  1199.         '''
  1200.         other = _convert_other(other)
  1201.         if other is NotImplemented:
  1202.             if divmod in (0, 1):
  1203.                 return NotImplemented
  1204.             
  1205.             return (NotImplemented, NotImplemented)
  1206.         
  1207.         if context is None:
  1208.             context = getcontext()
  1209.         
  1210.         sign = self._sign ^ other._sign
  1211.         if self._is_special or other._is_special:
  1212.             ans = self._check_nans(other, context)
  1213.             if ans:
  1214.                 if divmod:
  1215.                     return (ans, ans)
  1216.                 
  1217.                 return ans
  1218.             
  1219.             if self._isinfinity() and other._isinfinity():
  1220.                 if divmod:
  1221.                     return (context._raise_error(InvalidOperation, '(+-)INF // (+-)INF'), context._raise_error(InvalidOperation, '(+-)INF % (+-)INF'))
  1222.                 
  1223.                 return context._raise_error(InvalidOperation, '(+-)INF/(+-)INF')
  1224.             
  1225.             if self._isinfinity():
  1226.                 if divmod == 1:
  1227.                     return (Infsign[sign], context._raise_error(InvalidOperation, 'INF % x'))
  1228.                 elif divmod == 2:
  1229.                     return (Infsign[sign], NaN)
  1230.                 elif divmod == 3:
  1231.                     return (Infsign[sign], context._raise_error(InvalidOperation, 'INF % x'))
  1232.                 
  1233.                 return Infsign[sign]
  1234.             
  1235.             if other._isinfinity():
  1236.                 if divmod:
  1237.                     return (Decimal((sign, (0,), 0)), Decimal(self))
  1238.                 
  1239.                 context._raise_error(Clamped, 'Division by infinity')
  1240.                 return Decimal((sign, (0,), context.Etiny()))
  1241.             
  1242.         
  1243.         if not self and not other:
  1244.             if divmod:
  1245.                 return context._raise_error(DivisionUndefined, '0 / 0', 1)
  1246.             
  1247.             return context._raise_error(DivisionUndefined, '0 / 0')
  1248.         
  1249.         if not self:
  1250.             if divmod:
  1251.                 otherside = Decimal(self)
  1252.                 otherside._exp = min(self._exp, other._exp)
  1253.                 return (Decimal((sign, (0,), 0)), otherside)
  1254.             
  1255.             exp = self._exp - other._exp
  1256.             if exp < context.Etiny():
  1257.                 exp = context.Etiny()
  1258.                 context._raise_error(Clamped, '0e-x / y')
  1259.             
  1260.             if exp > context.Emax:
  1261.                 exp = context.Emax
  1262.                 context._raise_error(Clamped, '0e+x / y')
  1263.             
  1264.             return Decimal((sign, (0,), exp))
  1265.         
  1266.         if not other:
  1267.             if divmod:
  1268.                 return context._raise_error(DivisionByZero, 'divmod(x,0)', sign, 1)
  1269.             
  1270.             return context._raise_error(DivisionByZero, 'x / 0', sign)
  1271.         
  1272.         shouldround = context._rounding_decision == ALWAYS_ROUND
  1273.         if divmod and self.__abs__(0, context) < other.__abs__(0, context):
  1274.             if divmod == 1 or divmod == 3:
  1275.                 exp = min(self._exp, other._exp)
  1276.                 ans2 = self._rescale(exp, context = context, watchexp = 0)
  1277.                 if shouldround:
  1278.                     ans2 = ans2._fix(context)
  1279.                 
  1280.                 return (Decimal((sign, (0,), 0)), ans2)
  1281.             elif divmod == 2:
  1282.                 return (Decimal((sign, (0,), 0)), Decimal(self))
  1283.             
  1284.         
  1285.         op1 = _WorkRep(self)
  1286.         op2 = _WorkRep(other)
  1287.         (op1, op2, adjust) = _adjust_coefficients(op1, op2)
  1288.         res = _WorkRep((sign, 0, op1.exp - op2.exp))
  1289.         if divmod and res.exp > context.prec + 1:
  1290.             return context._raise_error(DivisionImpossible)
  1291.         
  1292.         prec_limit = 10 ** context.prec
  1293.         while None:
  1294.             while op2.int <= op1.int:
  1295.                 res.int += 1
  1296.                 op1.int -= op2.int
  1297.                 continue
  1298.                 op1
  1299.             if op1.int == 0 and adjust >= 0 and not divmod:
  1300.                 break
  1301.             
  1302.             if res.int >= prec_limit and shouldround:
  1303.                 if divmod:
  1304.                     return context._raise_error(DivisionImpossible)
  1305.                 
  1306.                 shouldround = 1
  1307.                 break
  1308.             
  1309.             res.int *= 10
  1310.             res.exp -= 1
  1311.             adjust += 1
  1312.             op1.int *= 10
  1313.             op1.exp -= 1
  1314.             if res.exp == 0 and divmod and op2.int > op1.int:
  1315.                 otherside = Decimal(op1)
  1316.                 frozen = context._ignore_all_flags()
  1317.                 exp = min(self._exp, other._exp)
  1318.                 otherside = otherside._rescale(exp, context = context)
  1319.                 context._regard_flags(*frozen)
  1320.                 return (Decimal(res), otherside)
  1321.                 continue
  1322.             continue
  1323.             res
  1324.         ans = Decimal(res)
  1325.         if shouldround:
  1326.             ans = ans._fix(context)
  1327.         
  1328.         return ans
  1329.  
  1330.     
  1331.     def __rdiv__(self, other, context = None):
  1332.         '''Swaps self/other and returns __div__.'''
  1333.         other = _convert_other(other)
  1334.         if other is NotImplemented:
  1335.             return other
  1336.         
  1337.         return other.__div__(self, context = context)
  1338.  
  1339.     __rtruediv__ = __rdiv__
  1340.     
  1341.     def __divmod__(self, other, context = None):
  1342.         '''
  1343.         (self // other, self % other)
  1344.         '''
  1345.         return self._divide(other, 1, context)
  1346.  
  1347.     
  1348.     def __rdivmod__(self, other, context = None):
  1349.         '''Swaps self/other and returns __divmod__.'''
  1350.         other = _convert_other(other)
  1351.         if other is NotImplemented:
  1352.             return other
  1353.         
  1354.         return other.__divmod__(self, context = context)
  1355.  
  1356.     
  1357.     def __mod__(self, other, context = None):
  1358.         '''
  1359.         self % other
  1360.         '''
  1361.         other = _convert_other(other)
  1362.         if other is NotImplemented:
  1363.             return other
  1364.         
  1365.         if self._is_special or other._is_special:
  1366.             ans = self._check_nans(other, context)
  1367.             if ans:
  1368.                 return ans
  1369.             
  1370.         
  1371.         if self and not other:
  1372.             return context._raise_error(InvalidOperation, 'x % 0')
  1373.         
  1374.         return self._divide(other, 3, context)[1]
  1375.  
  1376.     
  1377.     def __rmod__(self, other, context = None):
  1378.         '''Swaps self/other and returns __mod__.'''
  1379.         other = _convert_other(other)
  1380.         if other is NotImplemented:
  1381.             return other
  1382.         
  1383.         return other.__mod__(self, context = context)
  1384.  
  1385.     
  1386.     def remainder_near(self, other, context = None):
  1387.         '''
  1388.         Remainder nearest to 0-  abs(remainder-near) <= other/2
  1389.         '''
  1390.         other = _convert_other(other)
  1391.         if other is NotImplemented:
  1392.             return other
  1393.         
  1394.         if self._is_special or other._is_special:
  1395.             ans = self._check_nans(other, context)
  1396.             if ans:
  1397.                 return ans
  1398.             
  1399.         
  1400.         if self and not other:
  1401.             return context._raise_error(InvalidOperation, 'x % 0')
  1402.         
  1403.         if context is None:
  1404.             context = getcontext()
  1405.         
  1406.         context = context._shallow_copy()
  1407.         flags = context._ignore_flags(Rounded, Inexact)
  1408.         (side, r) = self.__divmod__(other, context = context)
  1409.         if r._isnan():
  1410.             context._regard_flags(*flags)
  1411.             return r
  1412.         
  1413.         context = context._shallow_copy()
  1414.         rounding = context._set_rounding_decision(NEVER_ROUND)
  1415.         if other._sign:
  1416.             comparison = other.__div__(Decimal(-2), context = context)
  1417.         else:
  1418.             comparison = other.__div__(Decimal(2), context = context)
  1419.         context._set_rounding_decision(rounding)
  1420.         context._regard_flags(*flags)
  1421.         s1 = r._sign
  1422.         s2 = comparison._sign
  1423.         (r._sign, comparison._sign) = (0, 0)
  1424.         if r < comparison:
  1425.             r._sign = s1
  1426.             comparison._sign = s2
  1427.             self.__divmod__(other, context = context)
  1428.             return r._fix(context)
  1429.         
  1430.         r._sign = s1
  1431.         comparison._sign = s2
  1432.         rounding = context._set_rounding_decision(NEVER_ROUND)
  1433.         (side, r) = self.__divmod__(other, context = context)
  1434.         context._set_rounding_decision(rounding)
  1435.         if r._isnan():
  1436.             return r
  1437.         
  1438.         decrease = not side._iseven()
  1439.         rounding = context._set_rounding_decision(NEVER_ROUND)
  1440.         side = side.__abs__(context = context)
  1441.         context._set_rounding_decision(rounding)
  1442.         s1 = r._sign
  1443.         s2 = comparison._sign
  1444.         (r._sign, comparison._sign) = (0, 0)
  1445.         return r._fix(context)
  1446.  
  1447.     
  1448.     def __floordiv__(self, other, context = None):
  1449.         '''self // other'''
  1450.         return self._divide(other, 2, context)[0]
  1451.  
  1452.     
  1453.     def __rfloordiv__(self, other, context = None):
  1454.         '''Swaps self/other and returns __floordiv__.'''
  1455.         other = _convert_other(other)
  1456.         if other is NotImplemented:
  1457.             return other
  1458.         
  1459.         return other.__floordiv__(self, context = context)
  1460.  
  1461.     
  1462.     def __float__(self):
  1463.         '''Float representation.'''
  1464.         return float(str(self))
  1465.  
  1466.     
  1467.     def __int__(self):
  1468.         '''Converts self to an int, truncating if necessary.'''
  1469.         if self._is_special:
  1470.             if self._isnan():
  1471.                 context = getcontext()
  1472.                 return context._raise_error(InvalidContext)
  1473.             elif self._isinfinity():
  1474.                 raise OverflowError, 'Cannot convert infinity to long'
  1475.             
  1476.         
  1477.         if self._exp >= 0:
  1478.             s = ''.join(map(str, self._int)) + '0' * self._exp
  1479.         else:
  1480.             s = ''.join(map(str, self._int))[:self._exp]
  1481.         if s == '':
  1482.             s = '0'
  1483.         
  1484.         sign = '-' * self._sign
  1485.         return int(sign + s)
  1486.  
  1487.     
  1488.     def __long__(self):
  1489.         '''Converts to a long.
  1490.  
  1491.         Equivalent to long(int(self))
  1492.         '''
  1493.         return long(self.__int__())
  1494.  
  1495.     
  1496.     def _fix(self, context):
  1497.         '''Round if it is necessary to keep self within prec precision.
  1498.  
  1499.         Rounds and fixes the exponent.  Does not raise on a sNaN.
  1500.  
  1501.         Arguments:
  1502.         self - Decimal instance
  1503.         context - context used.
  1504.         '''
  1505.         if self._is_special:
  1506.             return self
  1507.         
  1508.         if context is None:
  1509.             context = getcontext()
  1510.         
  1511.         prec = context.prec
  1512.         ans = self._fixexponents(context)
  1513.         if len(ans._int) > prec:
  1514.             ans = ans._round(prec, context = context)
  1515.             ans = ans._fixexponents(context)
  1516.         
  1517.         return ans
  1518.  
  1519.     
  1520.     def _fixexponents(self, context):
  1521.         '''Fix the exponents and return a copy with the exponent in bounds.
  1522.         Only call if known to not be a special value.
  1523.         '''
  1524.         folddown = context._clamp
  1525.         Emin = context.Emin
  1526.         ans = self
  1527.         ans_adjusted = ans.adjusted()
  1528.         if ans_adjusted < Emin:
  1529.             Etiny = context.Etiny()
  1530.             if ans._exp < Etiny:
  1531.                 if not ans:
  1532.                     ans = Decimal(self)
  1533.                     ans._exp = Etiny
  1534.                     context._raise_error(Clamped)
  1535.                     return ans
  1536.                 
  1537.                 ans = ans._rescale(Etiny, context = context)
  1538.                 context._raise_error(Subnormal)
  1539.                 if context.flags[Inexact]:
  1540.                     context._raise_error(Underflow)
  1541.                 
  1542.             elif ans:
  1543.                 context._raise_error(Subnormal)
  1544.             
  1545.         else:
  1546.             Etop = context.Etop()
  1547.             if folddown and ans._exp > Etop:
  1548.                 context._raise_error(Clamped)
  1549.                 ans = ans._rescale(Etop, context = context)
  1550.             else:
  1551.                 Emax = context.Emax
  1552.                 if ans_adjusted > Emax:
  1553.                     if not ans:
  1554.                         ans = Decimal(self)
  1555.                         ans._exp = Emax
  1556.                         context._raise_error(Clamped)
  1557.                         return ans
  1558.                     
  1559.                     context._raise_error(Inexact)
  1560.                     context._raise_error(Rounded)
  1561.                     return context._raise_error(Overflow, 'above Emax', ans._sign)
  1562.                 
  1563.         return ans
  1564.  
  1565.     
  1566.     def _round(self, prec = None, rounding = None, context = None):
  1567.         '''Returns a rounded version of self.
  1568.  
  1569.         You can specify the precision or rounding method.  Otherwise, the
  1570.         context determines it.
  1571.         '''
  1572.         if self._is_special:
  1573.             ans = self._check_nans(context = context)
  1574.             if ans:
  1575.                 return ans
  1576.             
  1577.             if self._isinfinity():
  1578.                 return Decimal(self)
  1579.             
  1580.         
  1581.         if context is None:
  1582.             context = getcontext()
  1583.         
  1584.         if rounding is None:
  1585.             rounding = context.rounding
  1586.         
  1587.         if prec is None:
  1588.             prec = context.prec
  1589.         
  1590.         if not self:
  1591.             if prec <= 0:
  1592.                 dig = (0,)
  1593.                 exp = (len(self._int) - prec) + self._exp
  1594.             else:
  1595.                 dig = (0,) * prec
  1596.                 exp = len(self._int) + self._exp - prec
  1597.             ans = Decimal((self._sign, dig, exp))
  1598.             context._raise_error(Rounded)
  1599.             return ans
  1600.         
  1601.         if prec == 0:
  1602.             temp = Decimal(self)
  1603.             temp._int = (0,) + temp._int
  1604.             prec = 1
  1605.         elif prec < 0:
  1606.             exp = self._exp + len(self._int) - prec - 1
  1607.             temp = Decimal((self._sign, (0, 1), exp))
  1608.             prec = 1
  1609.         else:
  1610.             temp = Decimal(self)
  1611.         numdigits = len(temp._int)
  1612.         if prec == numdigits:
  1613.             return temp
  1614.         
  1615.         expdiff = prec - numdigits
  1616.         if expdiff > 0:
  1617.             tmp = list(temp._int)
  1618.             tmp.extend([
  1619.                 0] * expdiff)
  1620.             ans = Decimal((temp._sign, tmp, temp._exp - expdiff))
  1621.             return ans
  1622.         
  1623.         lostdigits = self._int[expdiff:]
  1624.         if lostdigits == (0,) * len(lostdigits):
  1625.             ans = Decimal((temp._sign, temp._int[:prec], temp._exp - expdiff))
  1626.             context._raise_error(Rounded)
  1627.             return ans
  1628.         
  1629.         this_function = getattr(temp, self._pick_rounding_function[rounding])
  1630.         if prec != context.prec:
  1631.             context = context._shallow_copy()
  1632.             context.prec = prec
  1633.         
  1634.         ans = this_function(prec, expdiff, context)
  1635.         context._raise_error(Rounded)
  1636.         context._raise_error(Inexact, 'Changed in rounding')
  1637.         return ans
  1638.  
  1639.     _pick_rounding_function = { }
  1640.     
  1641.     def _round_down(self, prec, expdiff, context):
  1642.         '''Also known as round-towards-0, truncate.'''
  1643.         return Decimal((self._sign, self._int[:prec], self._exp - expdiff))
  1644.  
  1645.     
  1646.     def _round_half_up(self, prec, expdiff, context, tmp = None):
  1647.         '''Rounds 5 up (away from 0)'''
  1648.         if tmp is None:
  1649.             tmp = Decimal((self._sign, self._int[:prec], self._exp - expdiff))
  1650.         
  1651.         if self._int[prec] >= 5:
  1652.             tmp = tmp._increment(round = 0, context = context)
  1653.             if len(tmp._int) > prec:
  1654.                 return Decimal((tmp._sign, tmp._int[:-1], tmp._exp + 1))
  1655.             
  1656.         
  1657.         return tmp
  1658.  
  1659.     
  1660.     def _round_half_even(self, prec, expdiff, context):
  1661.         '''Round 5 to even, rest to nearest.'''
  1662.         tmp = Decimal((self._sign, self._int[:prec], self._exp - expdiff))
  1663.         half = self._int[prec] == 5
  1664.         if half:
  1665.             for digit in self._int[prec + 1:]:
  1666.                 if digit != 0:
  1667.                     half = 0
  1668.                     break
  1669.                     continue
  1670.             
  1671.         
  1672.         if half:
  1673.             if self._int[prec - 1] & 1 == 0:
  1674.                 return tmp
  1675.             
  1676.         
  1677.         return self._round_half_up(prec, expdiff, context, tmp)
  1678.  
  1679.     
  1680.     def _round_half_down(self, prec, expdiff, context):
  1681.         '''Round 5 down'''
  1682.         tmp = Decimal((self._sign, self._int[:prec], self._exp - expdiff))
  1683.         half = self._int[prec] == 5
  1684.         if half:
  1685.             for digit in self._int[prec + 1:]:
  1686.                 if digit != 0:
  1687.                     half = 0
  1688.                     break
  1689.                     continue
  1690.             
  1691.         
  1692.         if half:
  1693.             return tmp
  1694.         
  1695.         return self._round_half_up(prec, expdiff, context, tmp)
  1696.  
  1697.     
  1698.     def _round_up(self, prec, expdiff, context):
  1699.         '''Rounds away from 0.'''
  1700.         tmp = Decimal((self._sign, self._int[:prec], self._exp - expdiff))
  1701.         for digit in self._int[prec:]:
  1702.             if digit != 0:
  1703.                 tmp = tmp._increment(round = 1, context = context)
  1704.                 if len(tmp._int) > prec:
  1705.                     return Decimal((tmp._sign, tmp._int[:-1], tmp._exp + 1))
  1706.                 else:
  1707.                     return tmp
  1708.             len(tmp._int) > prec
  1709.         
  1710.         return tmp
  1711.  
  1712.     
  1713.     def _round_ceiling(self, prec, expdiff, context):
  1714.         '''Rounds up (not away from 0 if negative.)'''
  1715.         if self._sign:
  1716.             return self._round_down(prec, expdiff, context)
  1717.         else:
  1718.             return self._round_up(prec, expdiff, context)
  1719.  
  1720.     
  1721.     def _round_floor(self, prec, expdiff, context):
  1722.         '''Rounds down (not towards 0 if negative)'''
  1723.         if not self._sign:
  1724.             return self._round_down(prec, expdiff, context)
  1725.         else:
  1726.             return self._round_up(prec, expdiff, context)
  1727.  
  1728.     
  1729.     def __pow__(self, n, modulo = None, context = None):
  1730.         """Return self ** n (mod modulo)
  1731.  
  1732.         If modulo is None (default), don't take it mod modulo.
  1733.         """
  1734.         n = _convert_other(n)
  1735.         if n is NotImplemented:
  1736.             return n
  1737.         
  1738.         if context is None:
  1739.             context = getcontext()
  1740.         
  1741.         if self._is_special and n._is_special or n.adjusted() > 8:
  1742.             if n._isinfinity() or n.adjusted() > 8:
  1743.                 return context._raise_error(InvalidOperation, 'x ** INF')
  1744.             
  1745.             ans = self._check_nans(n, context)
  1746.             if ans:
  1747.                 return ans
  1748.             
  1749.         
  1750.         if not n._isinteger():
  1751.             return context._raise_error(InvalidOperation, 'x ** (non-integer)')
  1752.         
  1753.         if not self and not n:
  1754.             return context._raise_error(InvalidOperation, '0 ** 0')
  1755.         
  1756.         if not n:
  1757.             return Decimal(1)
  1758.         
  1759.         if self == Decimal(1):
  1760.             return Decimal(1)
  1761.         
  1762.         if self._sign:
  1763.             pass
  1764.         sign = not n._iseven()
  1765.         n = int(n)
  1766.         if self._isinfinity():
  1767.             if modulo:
  1768.                 return context._raise_error(InvalidOperation, 'INF % x')
  1769.             
  1770.             if n > 0:
  1771.                 return Infsign[sign]
  1772.             
  1773.             return Decimal((sign, (0,), 0))
  1774.         
  1775.         if not modulo and n > 0 and (self._exp + len(self._int) - 1) * n > context.Emax and self:
  1776.             tmp = Decimal('inf')
  1777.             tmp._sign = sign
  1778.             context._raise_error(Rounded)
  1779.             context._raise_error(Inexact)
  1780.             context._raise_error(Overflow, 'Big power', sign)
  1781.             return tmp
  1782.         
  1783.         elength = len(str(abs(n)))
  1784.         firstprec = context.prec
  1785.         if not modulo and firstprec + elength + 1 > DefaultContext.Emax:
  1786.             return context._raise_error(Overflow, 'Too much precision.', sign)
  1787.         
  1788.         mul = Decimal(self)
  1789.         val = Decimal(1)
  1790.         context = context._shallow_copy()
  1791.         context.prec = firstprec + elength + 1
  1792.         if n < 0:
  1793.             n = -n
  1794.             mul = Decimal(1).__div__(mul, context = context)
  1795.         
  1796.         spot = 1
  1797.         while spot <= n:
  1798.             spot <<= 1
  1799.         spot >>= 1
  1800.         while spot:
  1801.             val = val.__mul__(val, context = context)
  1802.             if val._isinfinity():
  1803.                 val = Infsign[sign]
  1804.                 break
  1805.             
  1806.             if spot & n:
  1807.                 val = val.__mul__(mul, context = context)
  1808.             
  1809.             if modulo is not None:
  1810.                 val = val.__mod__(modulo, context = context)
  1811.             
  1812.             spot >>= 1
  1813.         context.prec = firstprec
  1814.         if context._rounding_decision == ALWAYS_ROUND:
  1815.             return val._fix(context)
  1816.         
  1817.         return val
  1818.  
  1819.     
  1820.     def __rpow__(self, other, context = None):
  1821.         '''Swaps self/other and returns __pow__.'''
  1822.         other = _convert_other(other)
  1823.         if other is NotImplemented:
  1824.             return other
  1825.         
  1826.         return other.__pow__(self, context = context)
  1827.  
  1828.     
  1829.     def normalize(self, context = None):
  1830.         '''Normalize- strip trailing 0s, change anything equal to 0 to 0e0'''
  1831.         if self._is_special:
  1832.             ans = self._check_nans(context = context)
  1833.             if ans:
  1834.                 return ans
  1835.             
  1836.         
  1837.         dup = self._fix(context)
  1838.         if dup._isinfinity():
  1839.             return dup
  1840.         
  1841.         if not dup:
  1842.             return Decimal((dup._sign, (0,), 0))
  1843.         
  1844.         end = len(dup._int)
  1845.         exp = dup._exp
  1846.         while dup._int[end - 1] == 0:
  1847.             exp += 1
  1848.             end -= 1
  1849.         return Decimal((dup._sign, dup._int[:end], exp))
  1850.  
  1851.     
  1852.     def quantize(self, exp, rounding = None, context = None, watchexp = 1):
  1853.         '''Quantize self so its exponent is the same as that of exp.
  1854.  
  1855.         Similar to self._rescale(exp._exp) but with error checking.
  1856.         '''
  1857.         if self._is_special or exp._is_special:
  1858.             ans = self._check_nans(exp, context)
  1859.             if ans:
  1860.                 return ans
  1861.             
  1862.             if exp._isinfinity() or self._isinfinity():
  1863.                 if exp._isinfinity() and self._isinfinity():
  1864.                     return self
  1865.                 
  1866.                 if context is None:
  1867.                     context = getcontext()
  1868.                 
  1869.                 return context._raise_error(InvalidOperation, 'quantize with one INF')
  1870.             
  1871.         
  1872.         return self._rescale(exp._exp, rounding, context, watchexp)
  1873.  
  1874.     
  1875.     def same_quantum(self, other):
  1876.         '''Test whether self and other have the same exponent.
  1877.  
  1878.         same as self._exp == other._exp, except NaN == sNaN
  1879.         '''
  1880.         if self._is_special or other._is_special:
  1881.             if self._isnan() or other._isnan():
  1882.                 if self._isnan() and other._isnan():
  1883.                     pass
  1884.                 return True
  1885.             
  1886.             if self._isinfinity() or other._isinfinity():
  1887.                 if self._isinfinity() and other._isinfinity():
  1888.                     pass
  1889.                 return True
  1890.             
  1891.         
  1892.         return self._exp == other._exp
  1893.  
  1894.     
  1895.     def _rescale(self, exp, rounding = None, context = None, watchexp = 1):
  1896.         '''Rescales so that the exponent is exp.
  1897.  
  1898.         exp = exp to scale to (an integer)
  1899.         rounding = rounding version
  1900.         watchexp: if set (default) an error is returned if exp is greater
  1901.         than Emax or less than Etiny.
  1902.         '''
  1903.         if context is None:
  1904.             context = getcontext()
  1905.         
  1906.         if self._is_special:
  1907.             if self._isinfinity():
  1908.                 return context._raise_error(InvalidOperation, 'rescale with an INF')
  1909.             
  1910.             ans = self._check_nans(context = context)
  1911.             if ans:
  1912.                 return ans
  1913.             
  1914.         
  1915.         if watchexp:
  1916.             if context.Emax < exp or context.Etiny() > exp:
  1917.                 return context._raise_error(InvalidOperation, 'rescale(a, INF)')
  1918.             
  1919.         if not self:
  1920.             ans = Decimal(self)
  1921.             ans._int = (0,)
  1922.             ans._exp = exp
  1923.             return ans
  1924.         
  1925.         diff = self._exp - exp
  1926.         digits = len(self._int) + diff
  1927.         if watchexp and digits > context.prec:
  1928.             return context._raise_error(InvalidOperation, 'Rescale > prec')
  1929.         
  1930.         tmp = Decimal(self)
  1931.         tmp._int = (0,) + tmp._int
  1932.         digits += 1
  1933.         if digits < 0:
  1934.             tmp._exp = -digits + tmp._exp
  1935.             tmp._int = (0, 1)
  1936.             digits = 1
  1937.         
  1938.         tmp = tmp._round(digits, rounding, context = context)
  1939.         if tmp._int[0] == 0 and len(tmp._int) > 1:
  1940.             tmp._int = tmp._int[1:]
  1941.         
  1942.         tmp._exp = exp
  1943.         tmp_adjusted = tmp.adjusted()
  1944.         if tmp and tmp_adjusted < context.Emin:
  1945.             context._raise_error(Subnormal)
  1946.         elif tmp and tmp_adjusted > context.Emax:
  1947.             return context._raise_error(InvalidOperation, 'rescale(a, INF)')
  1948.         
  1949.         return tmp
  1950.  
  1951.     
  1952.     def to_integral(self, rounding = None, context = None):
  1953.         '''Rounds to the nearest integer, without raising inexact, rounded.'''
  1954.         if self._is_special:
  1955.             ans = self._check_nans(context = context)
  1956.             if ans:
  1957.                 return ans
  1958.             
  1959.         
  1960.         if self._exp >= 0:
  1961.             return self
  1962.         
  1963.         if context is None:
  1964.             context = getcontext()
  1965.         
  1966.         flags = context._ignore_flags(Rounded, Inexact)
  1967.         ans = self._rescale(0, rounding, context = context)
  1968.         context._regard_flags(flags)
  1969.         return ans
  1970.  
  1971.     
  1972.     def sqrt(self, context = None):
  1973.         '''Return the square root of self.
  1974.  
  1975.         Uses a converging algorithm (Xn+1 = 0.5*(Xn + self / Xn))
  1976.         Should quadratically approach the right answer.
  1977.         '''
  1978.         if self._is_special:
  1979.             ans = self._check_nans(context = context)
  1980.             if ans:
  1981.                 return ans
  1982.             
  1983.             if self._isinfinity() and self._sign == 0:
  1984.                 return Decimal(self)
  1985.             
  1986.         
  1987.         if not self:
  1988.             exp = self._exp // 2
  1989.             if self._sign == 1:
  1990.                 return Decimal((1, (0,), exp))
  1991.             else:
  1992.                 return Decimal((0, (0,), exp))
  1993.         
  1994.         if context is None:
  1995.             context = getcontext()
  1996.         
  1997.         if self._sign == 1:
  1998.             return context._raise_error(InvalidOperation, 'sqrt(-x), x > 0')
  1999.         
  2000.         tmp = Decimal(self)
  2001.         expadd = tmp._exp // 2
  2002.         if tmp._exp & 1:
  2003.             tmp._int += (0,)
  2004.             tmp._exp = 0
  2005.         else:
  2006.             tmp._exp = 0
  2007.         context = context._shallow_copy()
  2008.         flags = context._ignore_all_flags()
  2009.         firstprec = context.prec
  2010.         context.prec = 3
  2011.         Emax = context.Emax
  2012.         Emin = context.Emin
  2013.         context.Emax = DefaultContext.Emax
  2014.         context.Emin = DefaultContext.Emin
  2015.         half = Decimal('0.5')
  2016.         maxp = firstprec + 2
  2017.         rounding = context._set_rounding(ROUND_HALF_EVEN)
  2018.         while None:
  2019.             context.prec = min(2 * context.prec - 2, maxp)
  2020.             ans = half.__mul__(ans.__add__(tmp.__div__(ans, context = context), context = context), context = context)
  2021.             if context.prec == maxp:
  2022.                 break
  2023.                 continue
  2024.         context.prec = firstprec
  2025.         prevexp = ans.adjusted()
  2026.         ans = ans._round(context = context)
  2027.         context.prec = firstprec + 1
  2028.         lower = ans.__sub__(Decimal((0, (5,), ans._exp - 1)), context = context)
  2029.         context._set_rounding(ROUND_UP)
  2030.         if lower.__mul__(lower, context = context) > tmp:
  2031.             ans = ans.__sub__(Decimal((0, (1,), ans._exp)), context = context)
  2032.         else:
  2033.             upper = ans.__add__(Decimal((0, (5,), ans._exp - 1)), context = context)
  2034.             context._set_rounding(ROUND_DOWN)
  2035.             if upper.__mul__(upper, context = context) < tmp:
  2036.                 ans = ans.__add__(Decimal((0, (1,), ans._exp)), context = context)
  2037.             
  2038.         ans._exp += expadd
  2039.         context.prec = firstprec
  2040.         context.rounding = rounding
  2041.         ans = ans._fix(context)
  2042.         rounding = context._set_rounding_decision(NEVER_ROUND)
  2043.         context.Emax = Emax
  2044.         context.Emin = Emin
  2045.         return ans._fix(context)
  2046.  
  2047.     
  2048.     def max(self, other, context = None):
  2049.         '''Returns the larger value.
  2050.  
  2051.         like max(self, other) except if one is not a number, returns
  2052.         NaN (and signals if one is sNaN).  Also rounds.
  2053.         '''
  2054.         other = _convert_other(other)
  2055.         if other is NotImplemented:
  2056.             return other
  2057.         
  2058.         if self._is_special or other._is_special:
  2059.             sn = self._isnan()
  2060.             on = other._isnan()
  2061.             if sn or on:
  2062.                 if on == 1 and sn != 2:
  2063.                     return self
  2064.                 
  2065.                 if sn == 1 and on != 2:
  2066.                     return other
  2067.                 
  2068.                 return self._check_nans(other, context)
  2069.             
  2070.         
  2071.         ans = self
  2072.         c = self.__cmp__(other)
  2073.         if c == 0:
  2074.             if self._sign != other._sign:
  2075.                 if self._sign:
  2076.                     ans = other
  2077.                 
  2078.             elif self._exp < other._exp and not (self._sign):
  2079.                 ans = other
  2080.             elif self._exp > other._exp and self._sign:
  2081.                 ans = other
  2082.             
  2083.         elif c == -1:
  2084.             ans = other
  2085.         
  2086.         if context is None:
  2087.             context = getcontext()
  2088.         
  2089.         if context._rounding_decision == ALWAYS_ROUND:
  2090.             return ans._fix(context)
  2091.         
  2092.         return ans
  2093.  
  2094.     
  2095.     def min(self, other, context = None):
  2096.         '''Returns the smaller value.
  2097.  
  2098.         like min(self, other) except if one is not a number, returns
  2099.         NaN (and signals if one is sNaN).  Also rounds.
  2100.         '''
  2101.         other = _convert_other(other)
  2102.         if other is NotImplemented:
  2103.             return other
  2104.         
  2105.         if self._is_special or other._is_special:
  2106.             sn = self._isnan()
  2107.             on = other._isnan()
  2108.             if sn or on:
  2109.                 if on == 1 and sn != 2:
  2110.                     return self
  2111.                 
  2112.                 if sn == 1 and on != 2:
  2113.                     return other
  2114.                 
  2115.                 return self._check_nans(other, context)
  2116.             
  2117.         
  2118.         ans = self
  2119.         c = self.__cmp__(other)
  2120.         if c == 0:
  2121.             if self._sign != other._sign:
  2122.                 if other._sign:
  2123.                     ans = other
  2124.                 
  2125.             elif self._exp > other._exp and not (self._sign):
  2126.                 ans = other
  2127.             elif self._exp < other._exp and self._sign:
  2128.                 ans = other
  2129.             
  2130.         elif c == 1:
  2131.             ans = other
  2132.         
  2133.         if context is None:
  2134.             context = getcontext()
  2135.         
  2136.         if context._rounding_decision == ALWAYS_ROUND:
  2137.             return ans._fix(context)
  2138.         
  2139.         return ans
  2140.  
  2141.     
  2142.     def _isinteger(self):
  2143.         '''Returns whether self is an integer'''
  2144.         if self._exp >= 0:
  2145.             return True
  2146.         
  2147.         rest = self._int[self._exp:]
  2148.         return rest == (0,) * len(rest)
  2149.  
  2150.     
  2151.     def _iseven(self):
  2152.         '''Returns 1 if self is even.  Assumes self is an integer.'''
  2153.         if self._exp > 0:
  2154.             return 1
  2155.         
  2156.         return self._int[-1 + self._exp] & 1 == 0
  2157.  
  2158.     
  2159.     def adjusted(self):
  2160.         '''Return the adjusted exponent of self'''
  2161.         
  2162.         try:
  2163.             return self._exp + len(self._int) - 1
  2164.         except TypeError:
  2165.             return 0
  2166.  
  2167.  
  2168.     
  2169.     def __reduce__(self):
  2170.         return (self.__class__, (str(self),))
  2171.  
  2172.     
  2173.     def __copy__(self):
  2174.         if type(self) == Decimal:
  2175.             return self
  2176.         
  2177.         return self.__class__(str(self))
  2178.  
  2179.     
  2180.     def __deepcopy__(self, memo):
  2181.         if type(self) == Decimal:
  2182.             return self
  2183.         
  2184.         return self.__class__(str(self))
  2185.  
  2186.  
  2187. rounding_functions = [] if name.startswith('_round_') else _[1]
  2188. for name in rounding_functions:
  2189.     globalname = name[1:].upper()
  2190.     val = globals()[globalname]
  2191.     Decimal._pick_rounding_function[val] = name
  2192.  
  2193. del name
  2194. del val
  2195. del globalname
  2196. del rounding_functions
  2197.  
  2198. class Context(object):
  2199.     '''Contains the context for a Decimal instance.
  2200.  
  2201.     Contains:
  2202.     prec - precision (for use in rounding, division, square roots..)
  2203.     rounding - rounding type. (how you round)
  2204.     _rounding_decision - ALWAYS_ROUND, NEVER_ROUND -- do you round?
  2205.     traps - If traps[exception] = 1, then the exception is
  2206.                     raised when it is caused.  Otherwise, a value is
  2207.                     substituted in.
  2208.     flags  - When an exception is caused, flags[exception] is incremented.
  2209.              (Whether or not the trap_enabler is set)
  2210.              Should be reset by user of Decimal instance.
  2211.     Emin -   Minimum exponent
  2212.     Emax -   Maximum exponent
  2213.     capitals -      If 1, 1*10^1 is printed as 1E+1.
  2214.                     If 0, printed as 1e1
  2215.     _clamp - If 1, change exponents if too high (Default 0)
  2216.     '''
  2217.     
  2218.     def __init__(self, prec = None, rounding = None, traps = None, flags = None, _rounding_decision = None, Emin = None, Emax = None, capitals = None, _clamp = 0, _ignored_flags = None):
  2219.         if flags is None:
  2220.             flags = []
  2221.         
  2222.         if _ignored_flags is None:
  2223.             _ignored_flags = []
  2224.         
  2225.         for name, val in locals().items():
  2226.             if val is None:
  2227.                 setattr(self, name, _copy.copy(getattr(DefaultContext, name)))
  2228.                 continue
  2229.             None if not isinstance(flags, dict) else dict if traps is not None and not isinstance(traps, dict) else dict
  2230.             setattr(self, name, val)
  2231.         
  2232.         del self.self
  2233.  
  2234.     
  2235.     def __repr__(self):
  2236.         '''Show the current context.'''
  2237.         s = []
  2238.         s.append('Context(prec=%(prec)d, rounding=%(rounding)s, Emin=%(Emin)d, Emax=%(Emax)d, capitals=%(capitals)d' % vars(self))
  2239.         ', '.join([] + [](_[1]) + ']')
  2240.         ', '.join([] + [](_[1]) + ']')
  2241.         return ', '.join(s) + ')'
  2242.  
  2243.     
  2244.     def clear_flags(self):
  2245.         '''Reset all flags to zero'''
  2246.         for flag in self.flags:
  2247.             self.flags[flag] = 0
  2248.         
  2249.  
  2250.     
  2251.     def _shallow_copy(self):
  2252.         '''Returns a shallow copy from self.'''
  2253.         nc = Context(self.prec, self.rounding, self.traps, self.flags, self._rounding_decision, self.Emin, self.Emax, self.capitals, self._clamp, self._ignored_flags)
  2254.         return nc
  2255.  
  2256.     
  2257.     def copy(self):
  2258.         '''Returns a deep copy from self.'''
  2259.         nc = Context(self.prec, self.rounding, self.traps.copy(), self.flags.copy(), self._rounding_decision, self.Emin, self.Emax, self.capitals, self._clamp, self._ignored_flags)
  2260.         return nc
  2261.  
  2262.     __copy__ = copy
  2263.     
  2264.     def _raise_error(self, condition, explanation = None, *args):
  2265.         '''Handles an error
  2266.  
  2267.         If the flag is in _ignored_flags, returns the default response.
  2268.         Otherwise, it increments the flag, then, if the corresponding
  2269.         trap_enabler is set, it reaises the exception.  Otherwise, it returns
  2270.         the default value after incrementing the flag.
  2271.         '''
  2272.         error = _condition_map.get(condition, condition)
  2273.         if error in self._ignored_flags:
  2274.             return error().handle(self, *args)
  2275.         
  2276.         self.flags[error] += 1
  2277.         if not self.traps[error]:
  2278.             return condition().handle(self, *args)
  2279.         
  2280.         raise error, explanation
  2281.  
  2282.     
  2283.     def _ignore_all_flags(self):
  2284.         '''Ignore all flags, if they are raised'''
  2285.         return self._ignore_flags(*_signals)
  2286.  
  2287.     
  2288.     def _ignore_flags(self, *flags):
  2289.         '''Ignore the flags, if they are raised'''
  2290.         self._ignored_flags = self._ignored_flags + list(flags)
  2291.         return list(flags)
  2292.  
  2293.     
  2294.     def _regard_flags(self, *flags):
  2295.         '''Stop ignoring the flags, if they are raised'''
  2296.         if flags and isinstance(flags[0], (tuple, list)):
  2297.             flags = flags[0]
  2298.         
  2299.         for flag in flags:
  2300.             self._ignored_flags.remove(flag)
  2301.         
  2302.  
  2303.     
  2304.     def __hash__(self):
  2305.         '''A Context cannot be hashed.'''
  2306.         raise TypeError, 'Cannot hash a Context.'
  2307.  
  2308.     
  2309.     def Etiny(self):
  2310.         '''Returns Etiny (= Emin - prec + 1)'''
  2311.         return int((self.Emin - self.prec) + 1)
  2312.  
  2313.     
  2314.     def Etop(self):
  2315.         '''Returns maximum exponent (= Emax - prec + 1)'''
  2316.         return int((self.Emax - self.prec) + 1)
  2317.  
  2318.     
  2319.     def _set_rounding_decision(self, type):
  2320.         """Sets the rounding decision.
  2321.  
  2322.         Sets the rounding decision, and returns the current (previous)
  2323.         rounding decision.  Often used like:
  2324.  
  2325.         context = context._shallow_copy()
  2326.         # That so you don't change the calling context
  2327.         # if an error occurs in the middle (say DivisionImpossible is raised).
  2328.  
  2329.         rounding = context._set_rounding_decision(NEVER_ROUND)
  2330.         instance = instance / Decimal(2)
  2331.         context._set_rounding_decision(rounding)
  2332.  
  2333.         This will make it not round for that operation.
  2334.         """
  2335.         rounding = self._rounding_decision
  2336.         self._rounding_decision = type
  2337.         return rounding
  2338.  
  2339.     
  2340.     def _set_rounding(self, type):
  2341.         """Sets the rounding type.
  2342.  
  2343.         Sets the rounding type, and returns the current (previous)
  2344.         rounding type.  Often used like:
  2345.  
  2346.         context = context.copy()
  2347.         # so you don't change the calling context
  2348.         # if an error occurs in the middle.
  2349.         rounding = context._set_rounding(ROUND_UP)
  2350.         val = self.__sub__(other, context=context)
  2351.         context._set_rounding(rounding)
  2352.  
  2353.         This will make it round up for that operation.
  2354.         """
  2355.         rounding = self.rounding
  2356.         self.rounding = type
  2357.         return rounding
  2358.  
  2359.     
  2360.     def create_decimal(self, num = '0'):
  2361.         '''Creates a new Decimal instance but using self as context.'''
  2362.         d = Decimal(num, context = self)
  2363.         return d._fix(self)
  2364.  
  2365.     
  2366.     def abs(self, a):
  2367.         '''Returns the absolute value of the operand.
  2368.  
  2369.         If the operand is negative, the result is the same as using the minus
  2370.         operation on the operand. Otherwise, the result is the same as using
  2371.         the plus operation on the operand.
  2372.  
  2373.         >>> ExtendedContext.abs(Decimal(\'2.1\'))
  2374.         Decimal("2.1")
  2375.         >>> ExtendedContext.abs(Decimal(\'-100\'))
  2376.         Decimal("100")
  2377.         >>> ExtendedContext.abs(Decimal(\'101.5\'))
  2378.         Decimal("101.5")
  2379.         >>> ExtendedContext.abs(Decimal(\'-101.5\'))
  2380.         Decimal("101.5")
  2381.         '''
  2382.         return a.__abs__(context = self)
  2383.  
  2384.     
  2385.     def add(self, a, b):
  2386.         '''Return the sum of the two operands.
  2387.  
  2388.         >>> ExtendedContext.add(Decimal(\'12\'), Decimal(\'7.00\'))
  2389.         Decimal("19.00")
  2390.         >>> ExtendedContext.add(Decimal(\'1E+2\'), Decimal(\'1.01E+4\'))
  2391.         Decimal("1.02E+4")
  2392.         '''
  2393.         return a.__add__(b, context = self)
  2394.  
  2395.     
  2396.     def _apply(self, a):
  2397.         return str(a._fix(self))
  2398.  
  2399.     
  2400.     def compare(self, a, b):
  2401.         '''Compares values numerically.
  2402.  
  2403.         If the signs of the operands differ, a value representing each operand
  2404.         (\'-1\' if the operand is less than zero, \'0\' if the operand is zero or
  2405.         negative zero, or \'1\' if the operand is greater than zero) is used in
  2406.         place of that operand for the comparison instead of the actual
  2407.         operand.
  2408.  
  2409.         The comparison is then effected by subtracting the second operand from
  2410.         the first and then returning a value according to the result of the
  2411.         subtraction: \'-1\' if the result is less than zero, \'0\' if the result is
  2412.         zero or negative zero, or \'1\' if the result is greater than zero.
  2413.  
  2414.         >>> ExtendedContext.compare(Decimal(\'2.1\'), Decimal(\'3\'))
  2415.         Decimal("-1")
  2416.         >>> ExtendedContext.compare(Decimal(\'2.1\'), Decimal(\'2.1\'))
  2417.         Decimal("0")
  2418.         >>> ExtendedContext.compare(Decimal(\'2.1\'), Decimal(\'2.10\'))
  2419.         Decimal("0")
  2420.         >>> ExtendedContext.compare(Decimal(\'3\'), Decimal(\'2.1\'))
  2421.         Decimal("1")
  2422.         >>> ExtendedContext.compare(Decimal(\'2.1\'), Decimal(\'-3\'))
  2423.         Decimal("1")
  2424.         >>> ExtendedContext.compare(Decimal(\'-3\'), Decimal(\'2.1\'))
  2425.         Decimal("-1")
  2426.         '''
  2427.         return a.compare(b, context = self)
  2428.  
  2429.     
  2430.     def divide(self, a, b):
  2431.         '''Decimal division in a specified context.
  2432.  
  2433.         >>> ExtendedContext.divide(Decimal(\'1\'), Decimal(\'3\'))
  2434.         Decimal("0.333333333")
  2435.         >>> ExtendedContext.divide(Decimal(\'2\'), Decimal(\'3\'))
  2436.         Decimal("0.666666667")
  2437.         >>> ExtendedContext.divide(Decimal(\'5\'), Decimal(\'2\'))
  2438.         Decimal("2.5")
  2439.         >>> ExtendedContext.divide(Decimal(\'1\'), Decimal(\'10\'))
  2440.         Decimal("0.1")
  2441.         >>> ExtendedContext.divide(Decimal(\'12\'), Decimal(\'12\'))
  2442.         Decimal("1")
  2443.         >>> ExtendedContext.divide(Decimal(\'8.00\'), Decimal(\'2\'))
  2444.         Decimal("4.00")
  2445.         >>> ExtendedContext.divide(Decimal(\'2.400\'), Decimal(\'2.0\'))
  2446.         Decimal("1.20")
  2447.         >>> ExtendedContext.divide(Decimal(\'1000\'), Decimal(\'100\'))
  2448.         Decimal("10")
  2449.         >>> ExtendedContext.divide(Decimal(\'1000\'), Decimal(\'1\'))
  2450.         Decimal("1000")
  2451.         >>> ExtendedContext.divide(Decimal(\'2.40E+6\'), Decimal(\'2\'))
  2452.         Decimal("1.20E+6")
  2453.         '''
  2454.         return a.__div__(b, context = self)
  2455.  
  2456.     
  2457.     def divide_int(self, a, b):
  2458.         '''Divides two numbers and returns the integer part of the result.
  2459.  
  2460.         >>> ExtendedContext.divide_int(Decimal(\'2\'), Decimal(\'3\'))
  2461.         Decimal("0")
  2462.         >>> ExtendedContext.divide_int(Decimal(\'10\'), Decimal(\'3\'))
  2463.         Decimal("3")
  2464.         >>> ExtendedContext.divide_int(Decimal(\'1\'), Decimal(\'0.3\'))
  2465.         Decimal("3")
  2466.         '''
  2467.         return a.__floordiv__(b, context = self)
  2468.  
  2469.     
  2470.     def divmod(self, a, b):
  2471.         return a.__divmod__(b, context = self)
  2472.  
  2473.     
  2474.     def max(self, a, b):
  2475.         '''max compares two values numerically and returns the maximum.
  2476.  
  2477.         If either operand is a NaN then the general rules apply.
  2478.         Otherwise, the operands are compared as as though by the compare
  2479.         operation. If they are numerically equal then the left-hand operand
  2480.         is chosen as the result. Otherwise the maximum (closer to positive
  2481.         infinity) of the two operands is chosen as the result.
  2482.  
  2483.         >>> ExtendedContext.max(Decimal(\'3\'), Decimal(\'2\'))
  2484.         Decimal("3")
  2485.         >>> ExtendedContext.max(Decimal(\'-10\'), Decimal(\'3\'))
  2486.         Decimal("3")
  2487.         >>> ExtendedContext.max(Decimal(\'1.0\'), Decimal(\'1\'))
  2488.         Decimal("1")
  2489.         >>> ExtendedContext.max(Decimal(\'7\'), Decimal(\'NaN\'))
  2490.         Decimal("7")
  2491.         '''
  2492.         return a.max(b, context = self)
  2493.  
  2494.     
  2495.     def min(self, a, b):
  2496.         '''min compares two values numerically and returns the minimum.
  2497.  
  2498.         If either operand is a NaN then the general rules apply.
  2499.         Otherwise, the operands are compared as as though by the compare
  2500.         operation. If they are numerically equal then the left-hand operand
  2501.         is chosen as the result. Otherwise the minimum (closer to negative
  2502.         infinity) of the two operands is chosen as the result.
  2503.  
  2504.         >>> ExtendedContext.min(Decimal(\'3\'), Decimal(\'2\'))
  2505.         Decimal("2")
  2506.         >>> ExtendedContext.min(Decimal(\'-10\'), Decimal(\'3\'))
  2507.         Decimal("-10")
  2508.         >>> ExtendedContext.min(Decimal(\'1.0\'), Decimal(\'1\'))
  2509.         Decimal("1.0")
  2510.         >>> ExtendedContext.min(Decimal(\'7\'), Decimal(\'NaN\'))
  2511.         Decimal("7")
  2512.         '''
  2513.         return a.min(b, context = self)
  2514.  
  2515.     
  2516.     def minus(self, a):
  2517.         '''Minus corresponds to unary prefix minus in Python.
  2518.  
  2519.         The operation is evaluated using the same rules as subtract; the
  2520.         operation minus(a) is calculated as subtract(\'0\', a) where the \'0\'
  2521.         has the same exponent as the operand.
  2522.  
  2523.         >>> ExtendedContext.minus(Decimal(\'1.3\'))
  2524.         Decimal("-1.3")
  2525.         >>> ExtendedContext.minus(Decimal(\'-1.3\'))
  2526.         Decimal("1.3")
  2527.         '''
  2528.         return a.__neg__(context = self)
  2529.  
  2530.     
  2531.     def multiply(self, a, b):
  2532.         '''multiply multiplies two operands.
  2533.  
  2534.         If either operand is a special value then the general rules apply.
  2535.         Otherwise, the operands are multiplied together (\'long multiplication\'),
  2536.         resulting in a number which may be as long as the sum of the lengths
  2537.         of the two operands.
  2538.  
  2539.         >>> ExtendedContext.multiply(Decimal(\'1.20\'), Decimal(\'3\'))
  2540.         Decimal("3.60")
  2541.         >>> ExtendedContext.multiply(Decimal(\'7\'), Decimal(\'3\'))
  2542.         Decimal("21")
  2543.         >>> ExtendedContext.multiply(Decimal(\'0.9\'), Decimal(\'0.8\'))
  2544.         Decimal("0.72")
  2545.         >>> ExtendedContext.multiply(Decimal(\'0.9\'), Decimal(\'-0\'))
  2546.         Decimal("-0.0")
  2547.         >>> ExtendedContext.multiply(Decimal(\'654321\'), Decimal(\'654321\'))
  2548.         Decimal("4.28135971E+11")
  2549.         '''
  2550.         return a.__mul__(b, context = self)
  2551.  
  2552.     
  2553.     def normalize(self, a):
  2554.         '''normalize reduces an operand to its simplest form.
  2555.  
  2556.         Essentially a plus operation with all trailing zeros removed from the
  2557.         result.
  2558.  
  2559.         >>> ExtendedContext.normalize(Decimal(\'2.1\'))
  2560.         Decimal("2.1")
  2561.         >>> ExtendedContext.normalize(Decimal(\'-2.0\'))
  2562.         Decimal("-2")
  2563.         >>> ExtendedContext.normalize(Decimal(\'1.200\'))
  2564.         Decimal("1.2")
  2565.         >>> ExtendedContext.normalize(Decimal(\'-120\'))
  2566.         Decimal("-1.2E+2")
  2567.         >>> ExtendedContext.normalize(Decimal(\'120.00\'))
  2568.         Decimal("1.2E+2")
  2569.         >>> ExtendedContext.normalize(Decimal(\'0.00\'))
  2570.         Decimal("0")
  2571.         '''
  2572.         return a.normalize(context = self)
  2573.  
  2574.     
  2575.     def plus(self, a):
  2576.         '''Plus corresponds to unary prefix plus in Python.
  2577.  
  2578.         The operation is evaluated using the same rules as add; the
  2579.         operation plus(a) is calculated as add(\'0\', a) where the \'0\'
  2580.         has the same exponent as the operand.
  2581.  
  2582.         >>> ExtendedContext.plus(Decimal(\'1.3\'))
  2583.         Decimal("1.3")
  2584.         >>> ExtendedContext.plus(Decimal(\'-1.3\'))
  2585.         Decimal("-1.3")
  2586.         '''
  2587.         return a.__pos__(context = self)
  2588.  
  2589.     
  2590.     def power(self, a, b, modulo = None):
  2591.         '''Raises a to the power of b, to modulo if given.
  2592.  
  2593.         The right-hand operand must be a whole number whose integer part (after
  2594.         any exponent has been applied) has no more than 9 digits and whose
  2595.         fractional part (if any) is all zeros before any rounding. The operand
  2596.         may be positive, negative, or zero; if negative, the absolute value of
  2597.         the power is used, and the left-hand operand is inverted (divided into
  2598.         1) before use.
  2599.  
  2600.         If the increased precision needed for the intermediate calculations
  2601.         exceeds the capabilities of the implementation then an Invalid operation
  2602.         condition is raised.
  2603.  
  2604.         If, when raising to a negative power, an underflow occurs during the
  2605.         division into 1, the operation is not halted at that point but
  2606.         continues.
  2607.  
  2608.         >>> ExtendedContext.power(Decimal(\'2\'), Decimal(\'3\'))
  2609.         Decimal("8")
  2610.         >>> ExtendedContext.power(Decimal(\'2\'), Decimal(\'-3\'))
  2611.         Decimal("0.125")
  2612.         >>> ExtendedContext.power(Decimal(\'1.7\'), Decimal(\'8\'))
  2613.         Decimal("69.7575744")
  2614.         >>> ExtendedContext.power(Decimal(\'Infinity\'), Decimal(\'-2\'))
  2615.         Decimal("0")
  2616.         >>> ExtendedContext.power(Decimal(\'Infinity\'), Decimal(\'-1\'))
  2617.         Decimal("0")
  2618.         >>> ExtendedContext.power(Decimal(\'Infinity\'), Decimal(\'0\'))
  2619.         Decimal("1")
  2620.         >>> ExtendedContext.power(Decimal(\'Infinity\'), Decimal(\'1\'))
  2621.         Decimal("Infinity")
  2622.         >>> ExtendedContext.power(Decimal(\'Infinity\'), Decimal(\'2\'))
  2623.         Decimal("Infinity")
  2624.         >>> ExtendedContext.power(Decimal(\'-Infinity\'), Decimal(\'-2\'))
  2625.         Decimal("0")
  2626.         >>> ExtendedContext.power(Decimal(\'-Infinity\'), Decimal(\'-1\'))
  2627.         Decimal("-0")
  2628.         >>> ExtendedContext.power(Decimal(\'-Infinity\'), Decimal(\'0\'))
  2629.         Decimal("1")
  2630.         >>> ExtendedContext.power(Decimal(\'-Infinity\'), Decimal(\'1\'))
  2631.         Decimal("-Infinity")
  2632.         >>> ExtendedContext.power(Decimal(\'-Infinity\'), Decimal(\'2\'))
  2633.         Decimal("Infinity")
  2634.         >>> ExtendedContext.power(Decimal(\'0\'), Decimal(\'0\'))
  2635.         Decimal("NaN")
  2636.         '''
  2637.         return a.__pow__(b, modulo, context = self)
  2638.  
  2639.     
  2640.     def quantize(self, a, b):
  2641.         '''Returns a value equal to \'a\' (rounded) and having the exponent of \'b\'.
  2642.  
  2643.         The coefficient of the result is derived from that of the left-hand
  2644.         operand. It may be rounded using the current rounding setting (if the
  2645.         exponent is being increased), multiplied by a positive power of ten (if
  2646.         the exponent is being decreased), or is unchanged (if the exponent is
  2647.         already equal to that of the right-hand operand).
  2648.  
  2649.         Unlike other operations, if the length of the coefficient after the
  2650.         quantize operation would be greater than precision then an Invalid
  2651.         operation condition is raised. This guarantees that, unless there is an
  2652.         error condition, the exponent of the result of a quantize is always
  2653.         equal to that of the right-hand operand.
  2654.  
  2655.         Also unlike other operations, quantize will never raise Underflow, even
  2656.         if the result is subnormal and inexact.
  2657.  
  2658.         >>> ExtendedContext.quantize(Decimal(\'2.17\'), Decimal(\'0.001\'))
  2659.         Decimal("2.170")
  2660.         >>> ExtendedContext.quantize(Decimal(\'2.17\'), Decimal(\'0.01\'))
  2661.         Decimal("2.17")
  2662.         >>> ExtendedContext.quantize(Decimal(\'2.17\'), Decimal(\'0.1\'))
  2663.         Decimal("2.2")
  2664.         >>> ExtendedContext.quantize(Decimal(\'2.17\'), Decimal(\'1e+0\'))
  2665.         Decimal("2")
  2666.         >>> ExtendedContext.quantize(Decimal(\'2.17\'), Decimal(\'1e+1\'))
  2667.         Decimal("0E+1")
  2668.         >>> ExtendedContext.quantize(Decimal(\'-Inf\'), Decimal(\'Infinity\'))
  2669.         Decimal("-Infinity")
  2670.         >>> ExtendedContext.quantize(Decimal(\'2\'), Decimal(\'Infinity\'))
  2671.         Decimal("NaN")
  2672.         >>> ExtendedContext.quantize(Decimal(\'-0.1\'), Decimal(\'1\'))
  2673.         Decimal("-0")
  2674.         >>> ExtendedContext.quantize(Decimal(\'-0\'), Decimal(\'1e+5\'))
  2675.         Decimal("-0E+5")
  2676.         >>> ExtendedContext.quantize(Decimal(\'+35236450.6\'), Decimal(\'1e-2\'))
  2677.         Decimal("NaN")
  2678.         >>> ExtendedContext.quantize(Decimal(\'-35236450.6\'), Decimal(\'1e-2\'))
  2679.         Decimal("NaN")
  2680.         >>> ExtendedContext.quantize(Decimal(\'217\'), Decimal(\'1e-1\'))
  2681.         Decimal("217.0")
  2682.         >>> ExtendedContext.quantize(Decimal(\'217\'), Decimal(\'1e-0\'))
  2683.         Decimal("217")
  2684.         >>> ExtendedContext.quantize(Decimal(\'217\'), Decimal(\'1e+1\'))
  2685.         Decimal("2.2E+2")
  2686.         >>> ExtendedContext.quantize(Decimal(\'217\'), Decimal(\'1e+2\'))
  2687.         Decimal("2E+2")
  2688.         '''
  2689.         return a.quantize(b, context = self)
  2690.  
  2691.     
  2692.     def remainder(self, a, b):
  2693.         '''Returns the remainder from integer division.
  2694.  
  2695.         The result is the residue of the dividend after the operation of
  2696.         calculating integer division as described for divide-integer, rounded to
  2697.         precision digits if necessary. The sign of the result, if non-zero, is
  2698.         the same as that of the original dividend.
  2699.  
  2700.         This operation will fail under the same conditions as integer division
  2701.         (that is, if integer division on the same two operands would fail, the
  2702.         remainder cannot be calculated).
  2703.  
  2704.         >>> ExtendedContext.remainder(Decimal(\'2.1\'), Decimal(\'3\'))
  2705.         Decimal("2.1")
  2706.         >>> ExtendedContext.remainder(Decimal(\'10\'), Decimal(\'3\'))
  2707.         Decimal("1")
  2708.         >>> ExtendedContext.remainder(Decimal(\'-10\'), Decimal(\'3\'))
  2709.         Decimal("-1")
  2710.         >>> ExtendedContext.remainder(Decimal(\'10.2\'), Decimal(\'1\'))
  2711.         Decimal("0.2")
  2712.         >>> ExtendedContext.remainder(Decimal(\'10\'), Decimal(\'0.3\'))
  2713.         Decimal("0.1")
  2714.         >>> ExtendedContext.remainder(Decimal(\'3.6\'), Decimal(\'1.3\'))
  2715.         Decimal("1.0")
  2716.         '''
  2717.         return a.__mod__(b, context = self)
  2718.  
  2719.     
  2720.     def remainder_near(self, a, b):
  2721.         '''Returns to be "a - b * n", where n is the integer nearest the exact
  2722.         value of "x / b" (if two integers are equally near then the even one
  2723.         is chosen). If the result is equal to 0 then its sign will be the
  2724.         sign of a.
  2725.  
  2726.         This operation will fail under the same conditions as integer division
  2727.         (that is, if integer division on the same two operands would fail, the
  2728.         remainder cannot be calculated).
  2729.  
  2730.         >>> ExtendedContext.remainder_near(Decimal(\'2.1\'), Decimal(\'3\'))
  2731.         Decimal("-0.9")
  2732.         >>> ExtendedContext.remainder_near(Decimal(\'10\'), Decimal(\'6\'))
  2733.         Decimal("-2")
  2734.         >>> ExtendedContext.remainder_near(Decimal(\'10\'), Decimal(\'3\'))
  2735.         Decimal("1")
  2736.         >>> ExtendedContext.remainder_near(Decimal(\'-10\'), Decimal(\'3\'))
  2737.         Decimal("-1")
  2738.         >>> ExtendedContext.remainder_near(Decimal(\'10.2\'), Decimal(\'1\'))
  2739.         Decimal("0.2")
  2740.         >>> ExtendedContext.remainder_near(Decimal(\'10\'), Decimal(\'0.3\'))
  2741.         Decimal("0.1")
  2742.         >>> ExtendedContext.remainder_near(Decimal(\'3.6\'), Decimal(\'1.3\'))
  2743.         Decimal("-0.3")
  2744.         '''
  2745.         return a.remainder_near(b, context = self)
  2746.  
  2747.     
  2748.     def same_quantum(self, a, b):
  2749.         """Returns True if the two operands have the same exponent.
  2750.  
  2751.         The result is never affected by either the sign or the coefficient of
  2752.         either operand.
  2753.  
  2754.         >>> ExtendedContext.same_quantum(Decimal('2.17'), Decimal('0.001'))
  2755.         False
  2756.         >>> ExtendedContext.same_quantum(Decimal('2.17'), Decimal('0.01'))
  2757.         True
  2758.         >>> ExtendedContext.same_quantum(Decimal('2.17'), Decimal('1'))
  2759.         False
  2760.         >>> ExtendedContext.same_quantum(Decimal('Inf'), Decimal('-Inf'))
  2761.         True
  2762.         """
  2763.         return a.same_quantum(b)
  2764.  
  2765.     
  2766.     def sqrt(self, a):
  2767.         '''Returns the square root of a non-negative number to context precision.
  2768.  
  2769.         If the result must be inexact, it is rounded using the round-half-even
  2770.         algorithm.
  2771.  
  2772.         >>> ExtendedContext.sqrt(Decimal(\'0\'))
  2773.         Decimal("0")
  2774.         >>> ExtendedContext.sqrt(Decimal(\'-0\'))
  2775.         Decimal("-0")
  2776.         >>> ExtendedContext.sqrt(Decimal(\'0.39\'))
  2777.         Decimal("0.624499800")
  2778.         >>> ExtendedContext.sqrt(Decimal(\'100\'))
  2779.         Decimal("10")
  2780.         >>> ExtendedContext.sqrt(Decimal(\'1\'))
  2781.         Decimal("1")
  2782.         >>> ExtendedContext.sqrt(Decimal(\'1.0\'))
  2783.         Decimal("1.0")
  2784.         >>> ExtendedContext.sqrt(Decimal(\'1.00\'))
  2785.         Decimal("1.0")
  2786.         >>> ExtendedContext.sqrt(Decimal(\'7\'))
  2787.         Decimal("2.64575131")
  2788.         >>> ExtendedContext.sqrt(Decimal(\'10\'))
  2789.         Decimal("3.16227766")
  2790.         >>> ExtendedContext.prec
  2791.         9
  2792.         '''
  2793.         return a.sqrt(context = self)
  2794.  
  2795.     
  2796.     def subtract(self, a, b):
  2797.         '''Return the difference between the two operands.
  2798.  
  2799.         >>> ExtendedContext.subtract(Decimal(\'1.3\'), Decimal(\'1.07\'))
  2800.         Decimal("0.23")
  2801.         >>> ExtendedContext.subtract(Decimal(\'1.3\'), Decimal(\'1.30\'))
  2802.         Decimal("0.00")
  2803.         >>> ExtendedContext.subtract(Decimal(\'1.3\'), Decimal(\'2.07\'))
  2804.         Decimal("-0.77")
  2805.         '''
  2806.         return a.__sub__(b, context = self)
  2807.  
  2808.     
  2809.     def to_eng_string(self, a):
  2810.         '''Converts a number to a string, using scientific notation.
  2811.  
  2812.         The operation is not affected by the context.
  2813.         '''
  2814.         return a.to_eng_string(context = self)
  2815.  
  2816.     
  2817.     def to_sci_string(self, a):
  2818.         '''Converts a number to a string, using scientific notation.
  2819.  
  2820.         The operation is not affected by the context.
  2821.         '''
  2822.         return a.__str__(context = self)
  2823.  
  2824.     
  2825.     def to_integral(self, a):
  2826.         '''Rounds to an integer.
  2827.  
  2828.         When the operand has a negative exponent, the result is the same
  2829.         as using the quantize() operation using the given operand as the
  2830.         left-hand-operand, 1E+0 as the right-hand-operand, and the precision
  2831.         of the operand as the precision setting, except that no flags will
  2832.         be set. The rounding mode is taken from the context.
  2833.  
  2834.         >>> ExtendedContext.to_integral(Decimal(\'2.1\'))
  2835.         Decimal("2")
  2836.         >>> ExtendedContext.to_integral(Decimal(\'100\'))
  2837.         Decimal("100")
  2838.         >>> ExtendedContext.to_integral(Decimal(\'100.0\'))
  2839.         Decimal("100")
  2840.         >>> ExtendedContext.to_integral(Decimal(\'101.5\'))
  2841.         Decimal("102")
  2842.         >>> ExtendedContext.to_integral(Decimal(\'-101.5\'))
  2843.         Decimal("-102")
  2844.         >>> ExtendedContext.to_integral(Decimal(\'10E+5\'))
  2845.         Decimal("1.0E+6")
  2846.         >>> ExtendedContext.to_integral(Decimal(\'7.89E+77\'))
  2847.         Decimal("7.89E+77")
  2848.         >>> ExtendedContext.to_integral(Decimal(\'-Inf\'))
  2849.         Decimal("-Infinity")
  2850.         '''
  2851.         return a.to_integral(context = self)
  2852.  
  2853.  
  2854.  
  2855. class _WorkRep(object):
  2856.     __slots__ = ('sign', 'int', 'exp')
  2857.     
  2858.     def __init__(self, value = None):
  2859.         if value is None:
  2860.             self.sign = None
  2861.             self.int = 0
  2862.             self.exp = None
  2863.         elif isinstance(value, Decimal):
  2864.             self.sign = value._sign
  2865.             cum = 0
  2866.             for digit in value._int:
  2867.                 cum = cum * 10 + digit
  2868.             
  2869.             self.int = cum
  2870.             self.exp = value._exp
  2871.         else:
  2872.             self.sign = value[0]
  2873.             self.int = value[1]
  2874.             self.exp = value[2]
  2875.  
  2876.     
  2877.     def __repr__(self):
  2878.         return '(%r, %r, %r)' % (self.sign, self.int, self.exp)
  2879.  
  2880.     __str__ = __repr__
  2881.  
  2882.  
  2883. def _normalize(op1, op2, shouldround = 0, prec = 0):
  2884.     '''Normalizes op1, op2 to have the same exp and length of coefficient.
  2885.  
  2886.     Done during addition.
  2887.     '''
  2888.     numdigits = int(op1.exp - op2.exp)
  2889.     if numdigits < 0:
  2890.         numdigits = -numdigits
  2891.         tmp = op2
  2892.         other = op1
  2893.     else:
  2894.         tmp = op1
  2895.         other = op2
  2896.     if shouldround and numdigits > prec + 1:
  2897.         tmp_len = len(str(tmp.int))
  2898.         other_len = len(str(other.int))
  2899.         if numdigits > other_len + prec + 1 - tmp_len:
  2900.             extend = prec + 2 - tmp_len
  2901.             if extend <= 0:
  2902.                 extend = 1
  2903.             
  2904.             tmp.int *= 10 ** extend
  2905.             tmp.exp -= extend
  2906.             other.int = 1
  2907.             other.exp = tmp.exp
  2908.             return (op1, op2)
  2909.         
  2910.     
  2911.     tmp.int *= 10 ** numdigits
  2912.     tmp.exp -= numdigits
  2913.     return (op1, op2)
  2914.  
  2915.  
  2916. def _adjust_coefficients(op1, op2):
  2917.     '''Adjust op1, op2 so that op2.int * 10 > op1.int >= op2.int.
  2918.  
  2919.     Returns the adjusted op1, op2 as well as the change in op1.exp-op2.exp.
  2920.  
  2921.     Used on _WorkRep instances during division.
  2922.     '''
  2923.     adjust = 0
  2924.     while op2.int > op1.int:
  2925.         op1.int *= 10
  2926.         op1.exp -= 1
  2927.         adjust += 1
  2928.         continue
  2929.         op1
  2930.     while op1.int >= 10 * op2.int:
  2931.         op2.int *= 10
  2932.         op2.exp -= 1
  2933.         adjust -= 1
  2934.         continue
  2935.         op2
  2936.     return (op1, op2, adjust)
  2937.  
  2938.  
  2939. def _convert_other(other):
  2940.     """Convert other to Decimal.
  2941.  
  2942.     Verifies that it's ok to use in an implicit construction.
  2943.     """
  2944.     if isinstance(other, Decimal):
  2945.         return other
  2946.     
  2947.     if isinstance(other, (int, long)):
  2948.         return Decimal(other)
  2949.     
  2950.     return NotImplemented
  2951.  
  2952. _infinity_map = {
  2953.     'inf': 1,
  2954.     'infinity': 1,
  2955.     '+inf': 1,
  2956.     '+infinity': 1,
  2957.     '-inf': -1,
  2958.     '-infinity': -1 }
  2959.  
  2960. def _isinfinity(num):
  2961.     '''Determines whether a string or float is infinity.
  2962.  
  2963.     +1 for negative infinity; 0 for finite ; +1 for positive infinity
  2964.     '''
  2965.     num = str(num).lower()
  2966.     return _infinity_map.get(num, 0)
  2967.  
  2968.  
  2969. def _isnan(num):
  2970.     '''Determines whether a string or float is NaN
  2971.  
  2972.     (1, sign, diagnostic info as string) => NaN
  2973.     (2, sign, diagnostic info as string) => sNaN
  2974.     0 => not a NaN
  2975.     '''
  2976.     num = str(num).lower()
  2977.     if not num:
  2978.         return 0
  2979.     
  2980.     sign = 0
  2981.     if num[0] == '+':
  2982.         num = num[1:]
  2983.     elif num[0] == '-':
  2984.         num = num[1:]
  2985.         sign = 1
  2986.     
  2987.     if num.startswith('nan'):
  2988.         if len(num) > 3 and not num[3:].isdigit():
  2989.             return 0
  2990.         
  2991.         return (1, sign, num[3:].lstrip('0'))
  2992.     
  2993.     if num.startswith('snan'):
  2994.         if len(num) > 4 and not num[4:].isdigit():
  2995.             return 0
  2996.         
  2997.         return (2, sign, num[4:].lstrip('0'))
  2998.     
  2999.     return 0
  3000.  
  3001. DefaultContext = Context(prec = 28, rounding = ROUND_HALF_EVEN, traps = [
  3002.     DivisionByZero,
  3003.     Overflow,
  3004.     InvalidOperation], flags = [], _rounding_decision = ALWAYS_ROUND, Emax = 999999999, Emin = -999999999, capitals = 1)
  3005. BasicContext = Context(prec = 9, rounding = ROUND_HALF_UP, traps = [
  3006.     DivisionByZero,
  3007.     Overflow,
  3008.     InvalidOperation,
  3009.     Clamped,
  3010.     Underflow], flags = [])
  3011. ExtendedContext = Context(prec = 9, rounding = ROUND_HALF_EVEN, traps = [], flags = [])
  3012. Inf = Decimal('Inf')
  3013. negInf = Decimal('-Inf')
  3014. Infsign = (Inf, negInf)
  3015. NaN = Decimal('NaN')
  3016. import re
  3017. _parser = re.compile('\n#    \\s*\n    (?P<sign>[-+])?\n    (\n        (?P<int>\\d+) (\\. (?P<frac>\\d*))?\n    |\n        \\. (?P<onlyfrac>\\d+)\n    )\n    ([eE](?P<exp>[-+]? \\d+))?\n#    \\s*\n    $\n', re.VERBOSE).match
  3018. del re
  3019.  
  3020. def _string2exact(s):
  3021.     m = _parser(s)
  3022.     if m is None:
  3023.         raise ValueError('invalid literal for Decimal: %r' % s)
  3024.     
  3025.     if m.group('sign') == '-':
  3026.         sign = 1
  3027.     else:
  3028.         sign = 0
  3029.     exp = m.group('exp')
  3030.     if exp is None:
  3031.         exp = 0
  3032.     else:
  3033.         exp = int(exp)
  3034.     intpart = m.group('int')
  3035.     if intpart is None:
  3036.         intpart = ''
  3037.         fracpart = m.group('onlyfrac')
  3038.     else:
  3039.         fracpart = m.group('frac')
  3040.         if fracpart is None:
  3041.             fracpart = ''
  3042.         
  3043.     exp -= len(fracpart)
  3044.     mantissa = intpart + fracpart
  3045.     tmp = map(int, mantissa)
  3046.     backup = tmp
  3047.     while tmp and tmp[0] == 0:
  3048.         del tmp[0]
  3049.     if not tmp:
  3050.         if backup:
  3051.             return (sign, tuple(backup), exp)
  3052.         
  3053.         return (sign, (0,), exp)
  3054.     
  3055.     mantissa = tuple(tmp)
  3056.     return (sign, mantissa, exp)
  3057.  
  3058. if __name__ == '__main__':
  3059.     import doctest
  3060.     import sys
  3061.     doctest.testmod(sys.modules[__name__])
  3062.  
  3063.